From 04041105d836cd37dc091e1fbe6adeae32eca0b9 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Tue, 30 Jun 2015 19:59:45 -0400 Subject: [PATCH 01/35] add new sharing function --- MediaBrowser.Api/MediaBrowser.Api.csproj | 1 + MediaBrowser.Api/Social/SharingService.cs | 138 +++++++++++++ .../MediaBrowser.Controller.csproj | 1 + .../Social/ISharingManager.cs | 28 +++ .../MediaBrowser.Model.Portable.csproj | 3 + .../MediaBrowser.Model.net35.csproj | 3 + .../Configuration/ServerConfiguration.cs | 9 +- MediaBrowser.Model/MediaBrowser.Model.csproj | 1 + MediaBrowser.Model/Social/SocialShareInfo.cs | 16 ++ .../Localization/JavaScript/javascript.json | 7 +- .../Localization/Server/server.json | 3 + ...MediaBrowser.Server.Implementations.csproj | 2 + .../Social/SharingManager.cs | 88 +++++++++ .../Social/SharingRepository.cs | 184 ++++++++++++++++++ .../ApplicationHost.cs | 6 + .../MediaBrowser.WebDashboard.csproj | 31 +++ 16 files changed, 516 insertions(+), 5 deletions(-) create mode 100644 MediaBrowser.Api/Social/SharingService.cs create mode 100644 MediaBrowser.Controller/Social/ISharingManager.cs create mode 100644 MediaBrowser.Model/Social/SocialShareInfo.cs create mode 100644 MediaBrowser.Server.Implementations/Social/SharingManager.cs create mode 100644 MediaBrowser.Server.Implementations/Social/SharingRepository.cs diff --git a/MediaBrowser.Api/MediaBrowser.Api.csproj b/MediaBrowser.Api/MediaBrowser.Api.csproj index 0dfd812c3a..e79163d803 100644 --- a/MediaBrowser.Api/MediaBrowser.Api.csproj +++ b/MediaBrowser.Api/MediaBrowser.Api.csproj @@ -106,6 +106,7 @@ + diff --git a/MediaBrowser.Api/Social/SharingService.cs b/MediaBrowser.Api/Social/SharingService.cs new file mode 100644 index 0000000000..93540f8ca0 --- /dev/null +++ b/MediaBrowser.Api/Social/SharingService.cs @@ -0,0 +1,138 @@ +using MediaBrowser.Common.Extensions; +using MediaBrowser.Controller.Dlna; +using MediaBrowser.Controller.Library; +using MediaBrowser.Controller.Net; +using MediaBrowser.Controller.Social; +using MediaBrowser.Model.Entities; +using MediaBrowser.Model.Social; +using ServiceStack; +using System; +using System.IO; +using System.Threading.Tasks; + +namespace MediaBrowser.Api.Social +{ + [Route("/Social/Shares/{Id}", "GET", Summary = "Gets a share")] + [Authenticated] + public class GetSocialShareInfo : IReturn + { + [ApiMember(Name = "Id", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "path", Verb = "GET")] + public string Id { get; set; } + } + + [Route("/Social/Shares/Public/{Id}", "GET", Summary = "Gets a share")] + public class GetPublicSocialShareInfo : IReturn + { + [ApiMember(Name = "Id", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "path", Verb = "GET")] + public string Id { get; set; } + } + + [Route("/Social/Shares/Public/{Id}/Image", "GET", Summary = "Gets a share")] + public class GetShareImage + { + [ApiMember(Name = "Id", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "path", Verb = "GET")] + public string Id { get; set; } + } + + [Route("/Social/Shares", "POST", Summary = "Creates a share")] + [Authenticated] + public class CreateShare : IReturn + { + [ApiMember(Name = "ItemId", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "query", Verb = "POST")] + public string ItemId { get; set; } + + [ApiMember(Name = "UserId", Description = "The user id", IsRequired = true, DataType = "string", ParameterType = "query", Verb = "POST")] + public string UserId { get; set; } + } + + [Route("/Social/Shares/{Id}", "DELETE", Summary = "Deletes a share")] + [Authenticated] + public class DeleteShare : IReturnVoid + { + [ApiMember(Name = "Id", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "path", Verb = "DELETE")] + public string Id { get; set; } + } + + public class SharingService : BaseApiService + { + private readonly ISharingManager _sharingManager; + private readonly ILibraryManager _libraryManager; + private readonly IDlnaManager _dlnaManager; + + public SharingService(ISharingManager sharingManager, IDlnaManager dlnaManager, ILibraryManager libraryManager) + { + _sharingManager = sharingManager; + _dlnaManager = dlnaManager; + _libraryManager = libraryManager; + } + + public object Get(GetSocialShareInfo request) + { + var info = _sharingManager.GetShareInfo(request.Id); + + return ToOptimizedResult(info); + } + + public object Get(GetPublicSocialShareInfo request) + { + var info = _sharingManager.GetShareInfo(request.Id); + + if (info.ExpirationDate >= DateTime.UtcNow) + { + throw new ResourceNotFoundException(); + } + + return ToOptimizedResult(info); + } + + public async Task Post(CreateShare request) + { + var info = await _sharingManager.CreateShare(request.ItemId, request.UserId).ConfigureAwait(false); + + return ToOptimizedResult(info); + } + + public void Delete(DeleteShare request) + { + var task = _sharingManager.DeleteShare(request.Id); + Task.WaitAll(task); + } + + public object Get(GetShareImage request) + { + var share = _sharingManager.GetShareInfo(request.Id); + + if (share == null) + { + throw new ResourceNotFoundException(); + } + if (share.ExpirationDate >= DateTime.UtcNow) + { + throw new ResourceNotFoundException(); + } + + var item = _libraryManager.GetItemById(share.ItemId); + + var image = item.GetImageInfo(ImageType.Primary, 0); + + if (image != null) + { + return ToStaticFileResult(image.Path); + } + + // Grab a dlna icon if nothing else is available + using (var response = _dlnaManager.GetIcon("logo240.jpg")) + { + using (var ms = new MemoryStream()) + { + response.Stream.CopyTo(ms); + + ms.Position = 0; + var bytes = ms.ToArray(); + return ResultFactory.GetResult(bytes, "image/" + response.Format.ToString().ToLower()); + } + } + + } + } +} diff --git a/MediaBrowser.Controller/MediaBrowser.Controller.csproj b/MediaBrowser.Controller/MediaBrowser.Controller.csproj index 62578e6751..fcb938accf 100644 --- a/MediaBrowser.Controller/MediaBrowser.Controller.csproj +++ b/MediaBrowser.Controller/MediaBrowser.Controller.csproj @@ -329,6 +329,7 @@ + diff --git a/MediaBrowser.Controller/Social/ISharingManager.cs b/MediaBrowser.Controller/Social/ISharingManager.cs new file mode 100644 index 0000000000..ded37771af --- /dev/null +++ b/MediaBrowser.Controller/Social/ISharingManager.cs @@ -0,0 +1,28 @@ +using MediaBrowser.Model.Social; +using System.Threading.Tasks; + +namespace MediaBrowser.Controller.Social +{ + public interface ISharingManager + { + /// + /// Creates the share. + /// + /// The item identifier. + /// The user identifier. + /// Task<SocialShareInfo>. + Task CreateShare(string itemId, string userId); + /// + /// Gets the share information. + /// + /// The identifier. + /// SocialShareInfo. + SocialShareInfo GetShareInfo(string id); + /// + /// Deletes the share. + /// + /// The identifier. + /// Task. + Task DeleteShare(string id); + } +} diff --git a/MediaBrowser.Model.Portable/MediaBrowser.Model.Portable.csproj b/MediaBrowser.Model.Portable/MediaBrowser.Model.Portable.csproj index 3238e79b71..a1b7ce396f 100644 --- a/MediaBrowser.Model.Portable/MediaBrowser.Model.Portable.csproj +++ b/MediaBrowser.Model.Portable/MediaBrowser.Model.Portable.csproj @@ -1076,6 +1076,9 @@ Session\UserDataChangeInfo.cs + + Social\SocialShareInfo.cs + Sync\CompleteSyncJobInfo.cs diff --git a/MediaBrowser.Model.net35/MediaBrowser.Model.net35.csproj b/MediaBrowser.Model.net35/MediaBrowser.Model.net35.csproj index be72776077..d4a3737331 100644 --- a/MediaBrowser.Model.net35/MediaBrowser.Model.net35.csproj +++ b/MediaBrowser.Model.net35/MediaBrowser.Model.net35.csproj @@ -1032,6 +1032,9 @@ Session\UserDataChangeInfo.cs + + Social\SocialShareInfo.cs + Sync\CompleteSyncJobInfo.cs diff --git a/MediaBrowser.Model/Configuration/ServerConfiguration.cs b/MediaBrowser.Model/Configuration/ServerConfiguration.cs index e7490b3fa2..19403a55e7 100644 --- a/MediaBrowser.Model/Configuration/ServerConfiguration.cs +++ b/MediaBrowser.Model/Configuration/ServerConfiguration.cs @@ -25,7 +25,7 @@ namespace MediaBrowser.Model.Configuration /// /// The public HTTPS port. public int PublicHttpsPort { get; set; } - + /// /// Gets or sets the HTTP server port number. /// @@ -49,7 +49,7 @@ namespace MediaBrowser.Model.Configuration /// /// true if [enable user specific user views]; otherwise, false. public bool EnableUserSpecificUserViews { get; set; } - + /// /// Gets or sets the value pointing to the file system where the ssl certiifcate is located.. /// @@ -103,7 +103,7 @@ namespace MediaBrowser.Model.Configuration /// /// true if [enable library metadata sub folder]; otherwise, false. public bool EnableLibraryMetadataSubFolder { get; set; } - + /// /// Gets or sets the preferred metadata language. /// @@ -211,6 +211,8 @@ namespace MediaBrowser.Model.Configuration public AutoOnOff EnableLibraryMonitor { get; set; } + public int SharingExpirationDays { get; set; } + /// /// Initializes a new instance of the class. /// @@ -231,6 +233,7 @@ namespace MediaBrowser.Model.Configuration EnableUPnP = true; + SharingExpirationDays = 30; MinResumePct = 5; MaxResumePct = 90; diff --git a/MediaBrowser.Model/MediaBrowser.Model.csproj b/MediaBrowser.Model/MediaBrowser.Model.csproj index 3daacdd733..b36fa2362a 100644 --- a/MediaBrowser.Model/MediaBrowser.Model.csproj +++ b/MediaBrowser.Model/MediaBrowser.Model.csproj @@ -379,6 +379,7 @@ + diff --git a/MediaBrowser.Model/Social/SocialShareInfo.cs b/MediaBrowser.Model/Social/SocialShareInfo.cs new file mode 100644 index 0000000000..1b1c225c45 --- /dev/null +++ b/MediaBrowser.Model/Social/SocialShareInfo.cs @@ -0,0 +1,16 @@ +using System; + +namespace MediaBrowser.Model.Social +{ + public class SocialShareInfo + { + public string Id { get; set; } + public string Url { get; set; } + public string ItemId { get; set; } + public string UserId { get; set; } + public DateTime ExpirationDate { get; set; } + public string Name { get; set; } + public string ImageUrl { get; set; } + public string Overview { get; set; } + } +} diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json index 8bc2448916..254e3c2f36 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json @@ -38,7 +38,7 @@ "HeaderSupportTheTeam": "Support the Emby Team", "TextEnjoyBonusFeatures": "Enjoy Bonus Features", "TitleLiveTV": "Live TV", - "ButtonCancelSyncJob": "Cancel sync job", + "ButtonCancelSyncJob": "Cancel sync job", "TitleSync": "Sync", "HeaderSelectDate": "Select Date", "ButtonDonate": "Donate", @@ -811,5 +811,8 @@ "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in." + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Only a web page containing media information will be shared. Media files are never shared publicly." + } diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json index d8628575ac..bec5755b92 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/server.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json @@ -313,6 +313,9 @@ "OptionAllowRemoteControlOthers": "Allow remote control of other users", "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", "HeaderRemoteControl": "Remote Control", "OptionMissingTmdbId": "Missing Tmdb Id", "OptionIsHD": "HD", diff --git a/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj b/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj index b461fb78bf..33b2493f59 100644 --- a/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj +++ b/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj @@ -227,6 +227,8 @@ + + diff --git a/MediaBrowser.Server.Implementations/Social/SharingManager.cs b/MediaBrowser.Server.Implementations/Social/SharingManager.cs new file mode 100644 index 0000000000..1c3f353899 --- /dev/null +++ b/MediaBrowser.Server.Implementations/Social/SharingManager.cs @@ -0,0 +1,88 @@ +using MediaBrowser.Common.Extensions; +using MediaBrowser.Controller; +using MediaBrowser.Controller.Configuration; +using MediaBrowser.Controller.Entities; +using MediaBrowser.Controller.Library; +using MediaBrowser.Controller.Social; +using MediaBrowser.Model.Social; +using System; +using System.Threading.Tasks; + +namespace MediaBrowser.Server.Implementations.Social +{ + public class SharingManager : ISharingManager + { + private readonly SharingRepository _repository; + private readonly IServerConfigurationManager _config; + private readonly ILibraryManager _libraryManager; + private readonly IServerApplicationHost _appHost; + + public SharingManager(SharingRepository repository, IServerConfigurationManager config, ILibraryManager libraryManager, IServerApplicationHost appHost) + { + _repository = repository; + _config = config; + _libraryManager = libraryManager; + _appHost = appHost; + } + + public async Task CreateShare(string itemId, string userId) + { + if (string.IsNullOrWhiteSpace(itemId)) + { + throw new ArgumentNullException("itemId"); + } + if (string.IsNullOrWhiteSpace(userId)) + { + throw new ArgumentNullException("userId"); + } + + var item = _libraryManager.GetItemById(itemId); + + if (item == null) + { + throw new ResourceNotFoundException(); + } + + var externalUrl = _appHost.GetSystemInfo().WanAddress; + + if (string.IsNullOrWhiteSpace(externalUrl)) + { + throw new InvalidOperationException("No external server address is currently available."); + } + + var info = new SocialShareInfo + { + Id = Guid.NewGuid().ToString("N"), + ExpirationDate = DateTime.UtcNow.AddDays(_config.Configuration.SharingExpirationDays), + ItemId = itemId, + UserId = userId, + Overview = item.Overview, + Name = GetTitle(item) + }; + + info.ImageUrl = externalUrl + "/Social/Shares/Public/" + info.Id + "/Image"; + info.ImageUrl = externalUrl + "/web/shared.html?id=" + info.Id; + + await _repository.CreateShare(info).ConfigureAwait(false); + + return GetShareInfo(info.Id); + } + + private string GetTitle(BaseItem item) + { + return item.Name; + } + + public SocialShareInfo GetShareInfo(string id) + { + var info = _repository.GetShareInfo(id); + + return info; + } + + public Task DeleteShare(string id) + { + return _repository.DeleteShare(id); + } + } +} diff --git a/MediaBrowser.Server.Implementations/Social/SharingRepository.cs b/MediaBrowser.Server.Implementations/Social/SharingRepository.cs new file mode 100644 index 0000000000..d6d7f021a3 --- /dev/null +++ b/MediaBrowser.Server.Implementations/Social/SharingRepository.cs @@ -0,0 +1,184 @@ +using MediaBrowser.Common.Configuration; +using MediaBrowser.Model.Logging; +using MediaBrowser.Model.Social; +using MediaBrowser.Server.Implementations.Persistence; +using System; +using System.Data; +using System.IO; +using System.Threading; +using System.Threading.Tasks; + +namespace MediaBrowser.Server.Implementations.Social +{ + public class SharingRepository : BaseSqliteRepository + { + private IDbConnection _connection; + private IDbCommand _saveShareCommand; + private readonly IApplicationPaths _appPaths; + + public SharingRepository(ILogManager logManager, IApplicationPaths appPaths) + : base(logManager) + { + _appPaths = appPaths; + } + + /// + /// Opens the connection to the database + /// + /// Task. + public async Task Initialize() + { + var dbFile = Path.Combine(_appPaths.DataPath, "shares.db"); + + _connection = await SqliteExtensions.ConnectToDb(dbFile, Logger).ConfigureAwait(false); + + string[] queries = { + + "create table if not exists Shares (Id GUID, ItemId TEXT, UserId TEXT, ExpirationDate DateTime, PRIMARY KEY (Id))", + "create index if not exists idx_Shares on Shares(Id)", + + //pragmas + "pragma temp_store = memory", + + "pragma shrink_memory" + }; + + _connection.RunQueries(queries, Logger); + + PrepareStatements(); + } + + /// + /// Prepares the statements. + /// + private void PrepareStatements() + { + _saveShareCommand = _connection.CreateCommand(); + _saveShareCommand.CommandText = "replace into Shares (Id, ItemId, UserId, ExpirationDate) values (@Id, @ItemId, @UserId, @ExpirationDate)"; + + _saveShareCommand.Parameters.Add(_saveShareCommand, "@Id"); + _saveShareCommand.Parameters.Add(_saveShareCommand, "@ItemId"); + _saveShareCommand.Parameters.Add(_saveShareCommand, "@UserId"); + _saveShareCommand.Parameters.Add(_saveShareCommand, "@ExpirationDate"); + } + + public async Task CreateShare(SocialShareInfo info) + { + if (info == null) + { + throw new ArgumentNullException("info"); + } + if (string.IsNullOrWhiteSpace(info.Id)) + { + throw new ArgumentNullException("info.Id"); + } + + var cancellationToken = CancellationToken.None; + + cancellationToken.ThrowIfCancellationRequested(); + + await WriteLock.WaitAsync(cancellationToken).ConfigureAwait(false); + + IDbTransaction transaction = null; + + try + { + transaction = _connection.BeginTransaction(); + + _saveShareCommand.GetParameter(0).Value = new Guid(info.Id); + _saveShareCommand.GetParameter(1).Value = info.ItemId; + _saveShareCommand.GetParameter(2).Value = info.UserId; + _saveShareCommand.GetParameter(3).Value = info.ExpirationDate; + + _saveShareCommand.Transaction = transaction; + + _saveShareCommand.ExecuteNonQuery(); + + transaction.Commit(); + } + catch (OperationCanceledException) + { + if (transaction != null) + { + transaction.Rollback(); + } + + throw; + } + catch (Exception e) + { + Logger.ErrorException("Failed to save share:", e); + + if (transaction != null) + { + transaction.Rollback(); + } + + throw; + } + finally + { + if (transaction != null) + { + transaction.Dispose(); + } + + WriteLock.Release(); + } + } + + public SocialShareInfo GetShareInfo(string id) + { + if (string.IsNullOrWhiteSpace(id)) + { + throw new ArgumentNullException("id"); + } + + var cmd = _connection.CreateCommand(); + cmd.CommandText = "select Id, ItemId, UserId, ExpirationDate from Shares where id = @id"; + + cmd.Parameters.Add(cmd, "@id", DbType.Guid).Value = new Guid(id); + + using (var reader = cmd.ExecuteReader(CommandBehavior.SequentialAccess | CommandBehavior.SingleResult | CommandBehavior.SingleRow)) + { + if (reader.Read()) + { + return GetSocialShareInfo(reader); + } + } + + return null; + } + + private SocialShareInfo GetSocialShareInfo(IDataReader reader) + { + var info = new SocialShareInfo(); + + info.Id = reader.GetGuid(0).ToString("N"); + info.ItemId = reader.GetString(1); + info.UserId = reader.GetString(2); + info.ExpirationDate = reader.GetDateTime(3).ToUniversalTime(); + + return info; + } + + public async Task DeleteShare(string id) + { + + } + + protected override void CloseConnection() + { + if (_connection != null) + { + if (_connection.IsOpen()) + { + _connection.Close(); + } + + _connection.Dispose(); + _connection = null; + } + } + } +} diff --git a/MediaBrowser.Server.Startup.Common/ApplicationHost.cs b/MediaBrowser.Server.Startup.Common/ApplicationHost.cs index bed3aac63e..fab6682d78 100644 --- a/MediaBrowser.Server.Startup.Common/ApplicationHost.cs +++ b/MediaBrowser.Server.Startup.Common/ApplicationHost.cs @@ -38,6 +38,7 @@ using MediaBrowser.Controller.Providers; using MediaBrowser.Controller.Resolvers; using MediaBrowser.Controller.Security; using MediaBrowser.Controller.Session; +using MediaBrowser.Controller.Social; using MediaBrowser.Controller.Sorting; using MediaBrowser.Controller.Subtitles; using MediaBrowser.Controller.Sync; @@ -84,6 +85,7 @@ using MediaBrowser.Server.Implementations.Playlists; using MediaBrowser.Server.Implementations.Security; using MediaBrowser.Server.Implementations.ServerManager; using MediaBrowser.Server.Implementations.Session; +using MediaBrowser.Server.Implementations.Social; using MediaBrowser.Server.Implementations.Sync; using MediaBrowser.Server.Implementations.Themes; using MediaBrowser.Server.Implementations.TV; @@ -522,6 +524,10 @@ namespace MediaBrowser.Server.Startup.Common MediaEncoder, ChapterManager); RegisterSingleInstance(EncodingManager); + var sharingRepo = new SharingRepository(LogManager, ApplicationPaths); + await sharingRepo.Initialize().ConfigureAwait(false); + RegisterSingleInstance(new SharingManager(sharingRepo, ServerConfigurationManager, LibraryManager, this)); + RegisterSingleInstance(new SsdpHandler(LogManager.GetLogger("SsdpHandler"), ServerConfigurationManager, this)); var activityLogRepo = await GetActivityLogRepository().ConfigureAwait(false); diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 08c366c7a0..5b1a88703e 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -193,6 +193,15 @@ PreserveNewest + + PreserveNewest + + + PreserveNewest + + + PreserveNewest + PreserveNewest @@ -274,6 +283,17 @@ PreserveNewest + + + PreserveNewest + + + PreserveNewest + + + + PreserveNewest + PreserveNewest @@ -2416,6 +2436,17 @@ PreserveNewest + + PreserveNewest + + + PreserveNewest + + + PreserveNewest + + + From 91ce8f443713ed8d9c694ef554e183ac954728b2 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Wed, 1 Jul 2015 11:47:41 -0400 Subject: [PATCH 02/35] update tabs --- MediaBrowser.Server.Implementations/Dto/DtoService.cs | 2 +- .../MediaBrowser.WebDashboard.csproj | 9 --------- 2 files changed, 1 insertion(+), 10 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Dto/DtoService.cs b/MediaBrowser.Server.Implementations/Dto/DtoService.cs index 56ab97dbb3..de63fada0f 100644 --- a/MediaBrowser.Server.Implementations/Dto/DtoService.cs +++ b/MediaBrowser.Server.Implementations/Dto/DtoService.cs @@ -684,7 +684,7 @@ namespace MediaBrowser.Server.Implementations.Dto } }).Where(i => i != null) - .DistinctBy(i => i.Name) + .DistinctBy(i => i.Name, StringComparer.OrdinalIgnoreCase) .ToDictionary(i => i.Name, StringComparer.OrdinalIgnoreCase); for (var i = 0; i < people.Count; i++) diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 5b1a88703e..bd59813633 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -160,15 +160,6 @@ PreserveNewest - - PreserveNewest - - - PreserveNewest - - - PreserveNewest - PreserveNewest From 67ed8070dcb31eb41be47fefa5ee29bd081e6c47 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 2 Jul 2015 01:08:05 -0400 Subject: [PATCH 03/35] add sharing function --- .../Dto/DtoService.cs | 1 + .../Localization/JavaScript/javascript.json | 5 ++- .../Persistence/SqliteItemRepository.cs | 22 +++++++++- .../Social/SharingManager.cs | 29 +++++++++---- .../Api/PackageCreator.cs | 41 +++++++++++-------- .../MediaBrowser.WebDashboard.csproj | 3 ++ 6 files changed, 74 insertions(+), 27 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Dto/DtoService.cs b/MediaBrowser.Server.Implementations/Dto/DtoService.cs index de63fada0f..d147777bd5 100644 --- a/MediaBrowser.Server.Implementations/Dto/DtoService.cs +++ b/MediaBrowser.Server.Implementations/Dto/DtoService.cs @@ -736,6 +736,7 @@ namespace MediaBrowser.Server.Implementations.Dto } }) .Where(i => i != null) + .DistinctBy(i => i.Name, StringComparer.OrdinalIgnoreCase) .ToDictionary(i => i.Name, StringComparer.OrdinalIgnoreCase); for (var i = 0; i < studios.Count; i++) diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json index 254e3c2f36..b82bd29a7a 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json @@ -813,6 +813,7 @@ "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "HeaderShare": "Share", - "ButtonShareHelp": "Only a web page containing media information will be shared. Media files are never shared publicly." - + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } diff --git a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs index ff689ac7fc..9778e3c321 100644 --- a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs +++ b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs @@ -1,3 +1,4 @@ +using System.Runtime.Serialization; using MediaBrowser.Common.Configuration; using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.LiveTv; @@ -413,7 +414,15 @@ namespace MediaBrowser.Server.Implementations.Persistence using (var stream = reader.GetMemoryStream(1)) { - return _jsonSerializer.DeserializeFromStream(stream, type) as BaseItem; + try + { + return _jsonSerializer.DeserializeFromStream(stream, type) as BaseItem; + } + catch (SerializationException ex) + { + _logger.ErrorException("Error deserializing item", ex); + return null; + } } } @@ -696,7 +705,11 @@ namespace MediaBrowser.Server.Implementations.Persistence { while (reader.Read()) { - list.Add(GetItem(reader)); + var item = GetItem(reader); + if (item != null) + { + list.Add(item); + } } if (reader.NextResult() && reader.Read()) @@ -986,6 +999,11 @@ namespace MediaBrowser.Server.Implementations.Persistence _deleteChildrenCommand.Transaction = transaction; _deleteChildrenCommand.ExecuteNonQuery(); + // Delete people + _deletePeopleCommand.GetParameter(0).Value = id; + _deletePeopleCommand.Transaction = transaction; + _deletePeopleCommand.ExecuteNonQuery(); + // Delete the item _deleteItemCommand.GetParameter(0).Value = id; _deleteItemCommand.Transaction = transaction; diff --git a/MediaBrowser.Server.Implementations/Social/SharingManager.cs b/MediaBrowser.Server.Implementations/Social/SharingManager.cs index 1c3f353899..326b2893cb 100644 --- a/MediaBrowser.Server.Implementations/Social/SharingManager.cs +++ b/MediaBrowser.Server.Implementations/Social/SharingManager.cs @@ -55,17 +55,14 @@ namespace MediaBrowser.Server.Implementations.Social Id = Guid.NewGuid().ToString("N"), ExpirationDate = DateTime.UtcNow.AddDays(_config.Configuration.SharingExpirationDays), ItemId = itemId, - UserId = userId, - Overview = item.Overview, - Name = GetTitle(item) + UserId = userId }; - info.ImageUrl = externalUrl + "/Social/Shares/Public/" + info.Id + "/Image"; - info.ImageUrl = externalUrl + "/web/shared.html?id=" + info.Id; - + AddShareInfo(info); + await _repository.CreateShare(info).ConfigureAwait(false); - return GetShareInfo(info.Id); + return info; } private string GetTitle(BaseItem item) @@ -77,9 +74,27 @@ namespace MediaBrowser.Server.Implementations.Social { var info = _repository.GetShareInfo(id); + AddShareInfo(info); + return info; } + private void AddShareInfo(SocialShareInfo info) + { + var externalUrl = _appHost.GetSystemInfo().WanAddress; + + info.ImageUrl = externalUrl + "/Social/Shares/Public/" + info.Id + "/Image"; + info.Url = externalUrl + "/web/shared.html?id=" + info.Id; + + var item = _libraryManager.GetItemById(info.ItemId); + + if (item != null) + { + info.Overview = item.Overview; + info.Name = GetTitle(item); + } + } + public Task DeleteShare(string id) { return _repository.DeleteShare(id); diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index 1b03790bd4..4d2bc0215a 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -375,6 +375,14 @@ namespace MediaBrowser.WebDashboard.Api sb.Append(""); + // Open graph tags + sb.Append(""); + sb.Append(""); + sb.Append(""); + sb.Append(""); + sb.Append(""); + //sb.Append(""); + // http://developer.apple.com/library/ios/#DOCUMENTATION/AppleApplications/Reference/SafariWebContent/ConfiguringWebApplications/ConfiguringWebApplications.html sb.Append(""); sb.Append(""); @@ -649,28 +657,29 @@ namespace MediaBrowser.WebDashboard.Api var files = new[] { - "site.css", - "chromecast.css", - "nowplayingbar.css", - "mediaplayer.css", - "mediaplayer-video.css", - "librarymenu.css", - "librarybrowser.css", - "card.css", - "notifications.css", - "search.css", - "pluginupdates.css", - "remotecontrol.css", - "userimage.css", - "nowplaying.css", - "materialize.css" + "css/site.css", + "css/chromecast.css", + "css/nowplayingbar.css", + "css/mediaplayer.css", + "css/mediaplayer-video.css", + "css/librarymenu.css", + "css/librarybrowser.css", + "css/card.css", + "css/notifications.css", + "css/search.css", + "css/pluginupdates.css", + "css/remotecontrol.css", + "css/userimage.css", + "css/nowplaying.css", + "css/materialize.css", + "thirdparty/paper-button-style.css" }; var builder = new StringBuilder(); foreach (var file in files) { - var path = GetDashboardResourcePath("css/" + file); + var path = GetDashboardResourcePath(file); using (var fs = _fileSystem.GetFileStream(path, FileMode.Open, FileAccess.Read, FileShare.ReadWrite, true)) { diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index bd59813633..a9a4c06472 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -127,6 +127,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest From 922b477f778ec8fd91a0e676e48d19e069aa446e Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 2 Jul 2015 08:55:07 -0400 Subject: [PATCH 04/35] fix sync job deletion --- MediaBrowser.WebDashboard/Api/PackageCreator.cs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index 4d2bc0215a..0cd22baa95 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -381,7 +381,7 @@ namespace MediaBrowser.WebDashboard.Api sb.Append(""); sb.Append(""); sb.Append(""); - //sb.Append(""); + sb.Append(""); // http://developer.apple.com/library/ios/#DOCUMENTATION/AppleApplications/Reference/SafariWebContent/ConfiguringWebApplications/ConfiguringWebApplications.html sb.Append(""); From d6aea7d9b41cb2225bc291830f077b7f64b90ba5 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 3 Jul 2015 07:51:45 -0400 Subject: [PATCH 05/35] update shared item page --- .../Playback/Hls/DynamicHlsService.cs | 35 +++++++++++-------- MediaBrowser.Api/Social/SharingService.cs | 32 +++++++++++++++-- .../Security/AuthorizationContext.cs | 7 +++- .../MediaBrowser.WebDashboard.csproj | 5 ++- 4 files changed, 59 insertions(+), 20 deletions(-) diff --git a/MediaBrowser.Api/Playback/Hls/DynamicHlsService.cs b/MediaBrowser.Api/Playback/Hls/DynamicHlsService.cs index ab57e561f5..0a432a5802 100644 --- a/MediaBrowser.Api/Playback/Hls/DynamicHlsService.cs +++ b/MediaBrowser.Api/Playback/Hls/DynamicHlsService.cs @@ -313,16 +313,17 @@ namespace MediaBrowser.Api.Playback.Hls { var segmentPath = GetSegmentPath(state, playlist, i); - double length; - if (SegmentLengths.TryGetValue(Path.GetFileName(segmentPath), out length)) - { - Logger.Debug("Found segment length of {0} for index {1}", length, i); - startSeconds += length; - } - else - { - startSeconds += state.SegmentLength; - } + //double length; + //if (SegmentLengths.TryGetValue(Path.GetFileName(segmentPath), out length)) + //{ + // Logger.Debug("Found segment length of {0} for index {1}", length, i); + // startSeconds += length; + //} + //else + //{ + // startSeconds += state.SegmentLength; + //} + startSeconds += state.SegmentLength; } var position = TimeSpan.FromSeconds(startSeconds).Ticks; @@ -441,7 +442,7 @@ namespace MediaBrowser.Api.Playback.Hls CancellationToken cancellationToken) { // If all transcoding has completed, just return immediately - if (transcodingJob != null && transcodingJob.HasExited) + if (transcodingJob != null && transcodingJob.HasExited && File.Exists(segmentPath)) { return GetSegmentResult(segmentPath, segmentIndex, segmentLength, transcodingJob); } @@ -463,7 +464,11 @@ namespace MediaBrowser.Api.Playback.Hls // If it appears in the playlist, it's done if (text.IndexOf(segmentFilename, StringComparison.OrdinalIgnoreCase) != -1) { - return GetSegmentResult(segmentPath, segmentIndex, segmentLength, transcodingJob); + if (File.Exists(segmentPath)) + { + return GetSegmentResult(segmentPath, segmentIndex, segmentLength, transcodingJob); + } + break; } } } @@ -564,11 +569,11 @@ namespace MediaBrowser.Api.Playback.Hls builder.AppendLine("#EXTM3U"); + var isLiveStream = (state.RunTimeTicks ?? 0) == 0; + var queryStringIndex = Request.RawUrl.IndexOf('?'); var queryString = queryStringIndex == -1 ? string.Empty : Request.RawUrl.Substring(queryStringIndex); - var isLiveStream = (state.RunTimeTicks ?? 0) == 0; - // Main stream var playlistUrl = isLiveStream ? "live.m3u8" : "main.m3u8"; playlistUrl += queryString; @@ -798,7 +803,7 @@ namespace MediaBrowser.Api.Playback.Hls var audioTranscodeParams = new List(); audioTranscodeParams.Add("-acodec " + codec); - + if (state.OutputAudioBitrate.HasValue) { audioTranscodeParams.Add("-ab " + state.OutputAudioBitrate.Value.ToString(UsCulture)); diff --git a/MediaBrowser.Api/Social/SharingService.cs b/MediaBrowser.Api/Social/SharingService.cs index 93540f8ca0..608008455d 100644 --- a/MediaBrowser.Api/Social/SharingService.cs +++ b/MediaBrowser.Api/Social/SharingService.cs @@ -1,5 +1,6 @@ using MediaBrowser.Common.Extensions; using MediaBrowser.Controller.Dlna; +using MediaBrowser.Controller.Dto; using MediaBrowser.Controller.Library; using MediaBrowser.Controller.Net; using MediaBrowser.Controller.Social; @@ -53,17 +54,26 @@ namespace MediaBrowser.Api.Social public string Id { get; set; } } + [Route("/Social/Shares/Public/{Id}/Item", "GET", Summary = "Gets a share")] + public class GetSharedLibraryItem + { + [ApiMember(Name = "Id", Description = "The id of the item", IsRequired = true, DataType = "string", ParameterType = "path", Verb = "GET")] + public string Id { get; set; } + } + public class SharingService : BaseApiService { private readonly ISharingManager _sharingManager; private readonly ILibraryManager _libraryManager; private readonly IDlnaManager _dlnaManager; + private readonly IDtoService _dtoService; - public SharingService(ISharingManager sharingManager, IDlnaManager dlnaManager, ILibraryManager libraryManager) + public SharingService(ISharingManager sharingManager, IDlnaManager dlnaManager, ILibraryManager libraryManager, IDtoService dtoService) { _sharingManager = sharingManager; _dlnaManager = dlnaManager; _libraryManager = libraryManager; + _dtoService = dtoService; } public object Get(GetSocialShareInfo request) @@ -73,11 +83,27 @@ namespace MediaBrowser.Api.Social return ToOptimizedResult(info); } + public object Get(GetSharedLibraryItem request) + { + var info = _sharingManager.GetShareInfo(request.Id); + + if (info.ExpirationDate <= DateTime.UtcNow) + { + throw new ResourceNotFoundException(); + } + + var item = _libraryManager.GetItemById(info.ItemId); + + var dto = _dtoService.GetBaseItemDto(item, new DtoOptions()); + + return ToOptimizedResult(dto); + } + public object Get(GetPublicSocialShareInfo request) { var info = _sharingManager.GetShareInfo(request.Id); - if (info.ExpirationDate >= DateTime.UtcNow) + if (info.ExpirationDate <= DateTime.UtcNow) { throw new ResourceNotFoundException(); } @@ -106,7 +132,7 @@ namespace MediaBrowser.Api.Social { throw new ResourceNotFoundException(); } - if (share.ExpirationDate >= DateTime.UtcNow) + if (share.ExpirationDate <= DateTime.UtcNow) { throw new ResourceNotFoundException(); } diff --git a/MediaBrowser.Server.Implementations/HttpServer/Security/AuthorizationContext.cs b/MediaBrowser.Server.Implementations/HttpServer/Security/AuthorizationContext.cs index 9461143a8e..80892b96c2 100644 --- a/MediaBrowser.Server.Implementations/HttpServer/Security/AuthorizationContext.cs +++ b/MediaBrowser.Server.Implementations/HttpServer/Security/AuthorizationContext.cs @@ -170,7 +170,12 @@ namespace MediaBrowser.Server.Implementations.HttpServer.Security /// Dictionary{System.StringSystem.String}. private Dictionary GetAuthorizationDictionary(IServiceRequest httpReq) { - var auth = httpReq.Headers["Authorization"]; + var auth = httpReq.Headers["X-Emby-Authorization"]; + + if (string.IsNullOrWhiteSpace(auth)) + { + auth = httpReq.Headers["Authorization"]; + } return GetAuthorization(auth); } diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index a9a4c06472..21ca33339f 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -187,13 +187,16 @@ PreserveNewest + + PreserveNewest + PreserveNewest PreserveNewest - + PreserveNewest From 14f05c9bd073b95e3ac817ba282ef4204c001f75 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 3 Jul 2015 13:55:29 -0400 Subject: [PATCH 06/35] re-organize user preferences --- .../Localization/Server/server.json | 6 +++++- .../MediaBrowser.WebDashboard.csproj | 12 ++++++------ 2 files changed, 11 insertions(+), 7 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json index bec5755b92..55e7540851 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/server.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json @@ -1462,5 +1462,9 @@ "LabelUsername": "Username:", "HeaderSignUp": "Sign Up", "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server" + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 21ca33339f..f57b161880 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -178,6 +178,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest @@ -187,6 +190,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest @@ -662,9 +668,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest @@ -929,9 +932,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest From 47f91baaa30a6e9f69b03f0a89d7a45a362a3f24 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sun, 5 Jul 2015 14:34:52 -0400 Subject: [PATCH 07/35] fix script error on now playing page --- .../Session/SessionManager.cs | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/MediaBrowser.Server.Implementations/Session/SessionManager.cs b/MediaBrowser.Server.Implementations/Session/SessionManager.cs index f657d5403c..560d203db7 100644 --- a/MediaBrowser.Server.Implementations/Session/SessionManager.cs +++ b/MediaBrowser.Server.Implementations/Session/SessionManager.cs @@ -967,7 +967,13 @@ namespace MediaBrowser.Server.Implementations.Session private IEnumerable TranslateItemForPlayback(string id, User user) { - var item = _libraryManager.GetItemById(new Guid(id)); + var item = _libraryManager.GetItemById(id); + + if (item == null) + { + _logger.Error("A non-existant item Id {0} was passed into TranslateItemForPlayback", id); + return new List(); + } var byName = item as IItemByName; @@ -1011,6 +1017,12 @@ namespace MediaBrowser.Server.Implementations.Session { var item = _libraryManager.GetItemById(id); + if (item == null) + { + _logger.Error("A non-existant item Id {0} was passed into TranslateItemForInstantMix", id); + return new List(); + } + return _musicManager.GetInstantMixFromItem(item, user); } From 19292e5c4939ba658c2b1d32b30b1e0d16c7e361 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Mon, 6 Jul 2015 03:06:09 -0400 Subject: [PATCH 08/35] updated nuget --- .../Sync/IServerSyncProvider.cs | 14 ++++++++++++++ .../Sync/MediaSync.cs | 6 ++++++ Nuget/MediaBrowser.Common.Internal.nuspec | 4 ++-- Nuget/MediaBrowser.Common.nuspec | 2 +- Nuget/MediaBrowser.Model.Signed.nuspec | 2 +- Nuget/MediaBrowser.Server.Core.nuspec | 4 ++-- 6 files changed, 26 insertions(+), 6 deletions(-) diff --git a/MediaBrowser.Controller/Sync/IServerSyncProvider.cs b/MediaBrowser.Controller/Sync/IServerSyncProvider.cs index 2635a4cbf9..860c736ead 100644 --- a/MediaBrowser.Controller/Sync/IServerSyncProvider.cs +++ b/MediaBrowser.Controller/Sync/IServerSyncProvider.cs @@ -49,4 +49,18 @@ namespace MediaBrowser.Controller.Sync /// Task<QueryResult<FileMetadata>>. Task> GetFiles(FileQuery query, SyncTarget target, CancellationToken cancellationToken); } + + public interface ISupportsDirectCopy + { + /// + /// Sends the file. + /// + /// The path. + /// The path parts. + /// The target. + /// The progress. + /// The cancellation token. + /// Task<SyncedFileInfo>. + Task SendFile(string path, string[] pathParts, SyncTarget target, IProgress progress, CancellationToken cancellationToken); + } } diff --git a/MediaBrowser.Server.Implementations/Sync/MediaSync.cs b/MediaBrowser.Server.Implementations/Sync/MediaSync.cs index 96e996ff12..86ef58e425 100644 --- a/MediaBrowser.Server.Implementations/Sync/MediaSync.cs +++ b/MediaBrowser.Server.Implementations/Sync/MediaSync.cs @@ -341,6 +341,12 @@ namespace MediaBrowser.Server.Implementations.Sync private async Task SendFile(IServerSyncProvider provider, string inputPath, string[] pathParts, SyncTarget target, SyncOptions options, IProgress progress, CancellationToken cancellationToken) { _logger.Debug("Sending {0} to {1}. Remote path: {2}", inputPath, provider.Name, string.Join("/", pathParts)); + var supportsDirectCopy = provider as ISupportsDirectCopy; + if (supportsDirectCopy != null) + { + return await supportsDirectCopy.SendFile(inputPath, pathParts, target, progress, cancellationToken).ConfigureAwait(false); + } + using (var fileStream = _fileSystem.GetFileStream(inputPath, FileMode.Open, FileAccess.Read, FileShare.Read, true)) { Stream stream = fileStream; diff --git a/Nuget/MediaBrowser.Common.Internal.nuspec b/Nuget/MediaBrowser.Common.Internal.nuspec index 3a40e259f1..c5b3f04d4a 100644 --- a/Nuget/MediaBrowser.Common.Internal.nuspec +++ b/Nuget/MediaBrowser.Common.Internal.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Common.Internal - 3.0.627 + 3.0.628 MediaBrowser.Common.Internal Luke ebr,Luke,scottisafool @@ -12,7 +12,7 @@ Contains common components shared by Emby Theater and Emby Server. Not intended for plugin developer consumption. Copyright © Emby 2013 - + diff --git a/Nuget/MediaBrowser.Common.nuspec b/Nuget/MediaBrowser.Common.nuspec index 0d0cd1b842..d87672ba65 100644 --- a/Nuget/MediaBrowser.Common.nuspec +++ b/Nuget/MediaBrowser.Common.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Common - 3.0.627 + 3.0.628 MediaBrowser.Common Emby Team ebr,Luke,scottisafool diff --git a/Nuget/MediaBrowser.Model.Signed.nuspec b/Nuget/MediaBrowser.Model.Signed.nuspec index c93a88ad17..e9c592decd 100644 --- a/Nuget/MediaBrowser.Model.Signed.nuspec +++ b/Nuget/MediaBrowser.Model.Signed.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Model.Signed - 3.0.627 + 3.0.628 MediaBrowser.Model - Signed Edition Emby Team ebr,Luke,scottisafool diff --git a/Nuget/MediaBrowser.Server.Core.nuspec b/Nuget/MediaBrowser.Server.Core.nuspec index 0916cb495d..7525ad9e17 100644 --- a/Nuget/MediaBrowser.Server.Core.nuspec +++ b/Nuget/MediaBrowser.Server.Core.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Server.Core - 3.0.627 + 3.0.628 Media Browser.Server.Core Emby Team ebr,Luke,scottisafool @@ -12,7 +12,7 @@ Contains core components required to build plugins for Emby Server. Copyright © Emby 2013 - + From a9b015dc74033802729bf86de0b09e9e4795335f Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Mon, 6 Jul 2015 10:20:23 -0400 Subject: [PATCH 09/35] update omdb --- MediaBrowser.Providers/Omdb/OmdbItemProvider.cs | 4 ++-- MediaBrowser.Providers/Omdb/OmdbProvider.cs | 8 ++++++-- .../MediaBrowser.WebDashboard.csproj | 3 +++ 3 files changed, 11 insertions(+), 4 deletions(-) diff --git a/MediaBrowser.Providers/Omdb/OmdbItemProvider.cs b/MediaBrowser.Providers/Omdb/OmdbItemProvider.cs index 596b864f79..dffabd83c8 100644 --- a/MediaBrowser.Providers/Omdb/OmdbItemProvider.cs +++ b/MediaBrowser.Providers/Omdb/OmdbItemProvider.cs @@ -172,7 +172,7 @@ namespace MediaBrowser.Providers.Omdb result.Item.SetProviderId(MetadataProviders.Imdb, imdbId); result.HasMetadata = true; - await new OmdbProvider(_jsonSerializer, _httpClient).Fetch(result.Item, imdbId, cancellationToken).ConfigureAwait(false); + await new OmdbProvider(_jsonSerializer, _httpClient).Fetch(result.Item, imdbId, info.MetadataLanguage, cancellationToken).ConfigureAwait(false); } return result; @@ -211,7 +211,7 @@ namespace MediaBrowser.Providers.Omdb result.Item.SetProviderId(MetadataProviders.Imdb, imdbId); result.HasMetadata = true; - await new OmdbProvider(_jsonSerializer, _httpClient).Fetch(result.Item, imdbId, cancellationToken).ConfigureAwait(false); + await new OmdbProvider(_jsonSerializer, _httpClient).Fetch(result.Item, imdbId, info.MetadataLanguage, cancellationToken).ConfigureAwait(false); } return result; diff --git a/MediaBrowser.Providers/Omdb/OmdbProvider.cs b/MediaBrowser.Providers/Omdb/OmdbProvider.cs index e55321bb12..aee1abd727 100644 --- a/MediaBrowser.Providers/Omdb/OmdbProvider.cs +++ b/MediaBrowser.Providers/Omdb/OmdbProvider.cs @@ -28,7 +28,7 @@ namespace MediaBrowser.Providers.Omdb Current = this; } - public async Task Fetch(BaseItem item, string imdbId, CancellationToken cancellationToken) + public async Task Fetch(BaseItem item, string imdbId, string language, CancellationToken cancellationToken) { if (string.IsNullOrWhiteSpace(imdbId)) { @@ -51,7 +51,11 @@ namespace MediaBrowser.Providers.Omdb { var result = _jsonSerializer.DeserializeFromStream(stream); - item.Name = result.Title; + // Only take the name if the user's language is set to english, since Omdb has no localization + if (string.Equals(language, "en", StringComparison.OrdinalIgnoreCase)) + { + item.Name = result.Title; + } int year; diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index f57b161880..a87707ba58 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -297,6 +297,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest From 8ccd82719adbcaec28ab9af18e6c31209d5dad22 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Mon, 6 Jul 2015 12:40:55 -0400 Subject: [PATCH 10/35] 3.0.5666.0 --- SharedVersion.cs | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index c1c0b18d6e..607b1a880c 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -[assembly: AssemblyVersion("3.0.*")] -//[assembly: AssemblyVersion("3.0.5641.5")] +//[assembly: AssemblyVersion("3.0.*")] +[assembly: AssemblyVersion("3.0.5666.0")] From dfa17aec70652d8a21d43c889f08f8c0fd805d09 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Mon, 6 Jul 2015 22:25:23 -0400 Subject: [PATCH 11/35] update people queries --- MediaBrowser.Controller/Entities/Person.cs | 7 +++- .../Entities/UserViewBuilder.cs | 3 +- .../Library/ILibraryManager.cs | 14 +++++++ .../Persistence/IItemRepository.cs | 7 ++++ .../ContentDirectory/ControlHandler.cs | 13 +----- .../People/TvdbPersonImageProvider.cs | 10 +++-- .../Library/LibraryManager.cs | 23 ++++++++++- .../Persistence/SqliteItemRepository.cs | 40 +++++++++++++++++-- MediaBrowser.XbmcMetadata/EntryPoint.cs | 7 +++- SharedVersion.cs | 4 +- 10 files changed, 102 insertions(+), 26 deletions(-) diff --git a/MediaBrowser.Controller/Entities/Person.cs b/MediaBrowser.Controller/Entities/Person.cs index 390fcaf804..535574ad90 100644 --- a/MediaBrowser.Controller/Entities/Person.cs +++ b/MediaBrowser.Controller/Entities/Person.cs @@ -70,7 +70,12 @@ namespace MediaBrowser.Controller.Entities public IEnumerable GetTaggedItems(IEnumerable inputItems) { - return inputItems.Where(GetItemFilter()); + var itemsWithPerson = LibraryManager.GetItemIds(new InternalItemsQuery + { + Person = Name + }); + + return inputItems.Where(i => itemsWithPerson.Contains(i.Id)); } diff --git a/MediaBrowser.Controller/Entities/UserViewBuilder.cs b/MediaBrowser.Controller/Entities/UserViewBuilder.cs index 41e5406e18..7bbe5c39c1 100644 --- a/MediaBrowser.Controller/Entities/UserViewBuilder.cs +++ b/MediaBrowser.Controller/Entities/UserViewBuilder.cs @@ -1699,8 +1699,7 @@ namespace MediaBrowser.Controller.Entities .Select(i => i == null ? "-1" : i.Name) .ToList(); - if (!(names.Any( - v => libraryManager.GetPeople(item).Select(i => i.Name).Contains(v, StringComparer.OrdinalIgnoreCase)))) + if (!(names.Any(v => libraryManager.GetPeople(item).Select(i => i.Name).Contains(v, StringComparer.OrdinalIgnoreCase)))) { return false; } diff --git a/MediaBrowser.Controller/Library/ILibraryManager.cs b/MediaBrowser.Controller/Library/ILibraryManager.cs index 92028cc1af..58c696d550 100644 --- a/MediaBrowser.Controller/Library/ILibraryManager.cs +++ b/MediaBrowser.Controller/Library/ILibraryManager.cs @@ -420,6 +420,13 @@ namespace MediaBrowser.Controller.Library /// List<PersonInfo>. List GetPeople(BaseItem item); + /// + /// Gets the people items. + /// + /// The item. + /// List<Person>. + List GetPeopleItems(BaseItem item); + /// /// Gets all people names. /// @@ -433,5 +440,12 @@ namespace MediaBrowser.Controller.Library /// The people. /// Task. Task UpdatePeople(BaseItem item, List people); + + /// + /// Gets the item ids. + /// + /// The query. + /// List<Guid>. + List GetItemIds(InternalItemsQuery query); } } \ No newline at end of file diff --git a/MediaBrowser.Controller/Persistence/IItemRepository.cs b/MediaBrowser.Controller/Persistence/IItemRepository.cs index fba5f4c03e..a91a7d3acd 100644 --- a/MediaBrowser.Controller/Persistence/IItemRepository.cs +++ b/MediaBrowser.Controller/Persistence/IItemRepository.cs @@ -162,6 +162,13 @@ namespace MediaBrowser.Controller.Persistence /// The people. /// Task. Task UpdatePeople(Guid itemId, List people); + + /// + /// Gets the people names. + /// + /// The item identifier. + /// List<System.String>. + List GetPeopleNames(Guid itemId); } } diff --git a/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs b/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs index 6771fd1abc..46c0f48e29 100644 --- a/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs +++ b/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs @@ -410,18 +410,7 @@ namespace MediaBrowser.Dlna.ContentDirectory { if (stubType.Value == StubType.People) { - var items = _libraryManager.GetPeople(item).Select(i => - { - try - { - return _libraryManager.GetPerson(i.Name); - } - catch - { - return null; - } - - }).Where(i => i != null).ToArray(); + var items = _libraryManager.GetPeopleItems(item).ToArray(); var result = new QueryResult { diff --git a/MediaBrowser.Providers/People/TvdbPersonImageProvider.cs b/MediaBrowser.Providers/People/TvdbPersonImageProvider.cs index 38913ff42e..86e2cfaf71 100644 --- a/MediaBrowser.Providers/People/TvdbPersonImageProvider.cs +++ b/MediaBrowser.Providers/People/TvdbPersonImageProvider.cs @@ -59,9 +59,13 @@ namespace MediaBrowser.Providers.People // Avoid implicitly captured closure var itemName = item.Name; - var seriesWithPerson = _libraryManager.RootFolder - .GetRecursiveChildren(i => i is Series && !string.IsNullOrEmpty(i.GetProviderId(MetadataProviders.Tvdb)) && _libraryManager.GetPeople(i).Any(p => string.Equals(p.Name, itemName, StringComparison.OrdinalIgnoreCase))) - .Cast() + var seriesWithPerson = _libraryManager.GetItems(new InternalItemsQuery + { + IncludeItemTypes = new[] { typeof(Series).Name }, + Person = itemName + + }).Items.Cast() + .Where(i => !string.IsNullOrEmpty(i.GetProviderId(MetadataProviders.Tvdb))) .ToList(); var infos = seriesWithPerson.Select(i => GetImageFromSeriesData(i, item.Name, cancellationToken)) diff --git a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs index c5171e3235..a4be54f27b 100644 --- a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs +++ b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs @@ -1223,6 +1223,11 @@ namespace MediaBrowser.Server.Implementations.Library }; } + public List GetItemIds(InternalItemsQuery query) + { + return ItemRepository.GetItemIdsList(query); + } + /// /// Gets the intros. /// @@ -2057,12 +2062,28 @@ namespace MediaBrowser.Server.Implementations.Library } } - public List GetPeople(BaseItem item) { return item.People ?? ItemRepository.GetPeople(item.Id); } + public List GetPeopleItems(BaseItem item) + { + return ItemRepository.GetPeopleNames(item.Id).Select(i => + { + try + { + return GetPerson(i); + } + catch (Exception ex) + { + _logger.ErrorException("Error getting person", ex); + return null; + } + + }).Where(i => i != null).ToList(); + } + public List GetAllPeople() { return RootFolder.GetRecursiveChildren() diff --git a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs index 9778e3c321..a247bbbe3e 100644 --- a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs +++ b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs @@ -1,6 +1,7 @@ using System.Runtime.Serialization; using MediaBrowser.Common.Configuration; using MediaBrowser.Controller.Entities; +using MediaBrowser.Controller.Entities.TV; using MediaBrowser.Controller.LiveTv; using MediaBrowser.Controller.Persistence; using MediaBrowser.Model.Entities; @@ -739,9 +740,7 @@ namespace MediaBrowser.Server.Implementations.Persistence { cmd.CommandText = "select guid from TypedBaseItems"; - var whereClauses = GetWhereClauses(query, cmd, false); - - whereClauses = GetWhereClauses(query, cmd, true); + var whereClauses = GetWhereClauses(query, cmd, true); var whereText = whereClauses.Count == 0 ? string.Empty : @@ -914,6 +913,12 @@ namespace MediaBrowser.Server.Implementations.Persistence } } + if (!string.IsNullOrWhiteSpace(query.Person)) + { + whereClauses.Add("Guid in (select ItemId from People where Name=@PersonName)"); + cmd.Parameters.Add(cmd, "@PersonName", DbType.String).Value = query.Person; + } + if (addPaging) { if (query.StartIndex.HasValue && query.StartIndex.Value > 0) @@ -938,6 +943,7 @@ namespace MediaBrowser.Server.Implementations.Persistence {typeof(LiveTvChannel).Name, new []{typeof(LiveTvChannel).FullName}}, {typeof(LiveTvVideoRecording).Name, new []{typeof(LiveTvVideoRecording).FullName}}, {typeof(LiveTvAudioRecording).Name, new []{typeof(LiveTvAudioRecording).FullName}}, + {typeof(Series).Name, new []{typeof(Series).FullName}}, {"Recording", new []{typeof(LiveTvAudioRecording).FullName, typeof(LiveTvVideoRecording).FullName}} }; @@ -1127,6 +1133,34 @@ namespace MediaBrowser.Server.Implementations.Persistence return _mediaStreamsRepository.SaveMediaStreams(id, streams, cancellationToken); } + public List GetPeopleNames(Guid itemId) + { + if (itemId == Guid.Empty) + { + throw new ArgumentNullException("itemId"); + } + + CheckDisposed(); + + using (var cmd = _connection.CreateCommand()) + { + cmd.CommandText = "select Distinct Name from People where ItemId=@ItemId order by ListOrder"; + + cmd.Parameters.Add(cmd, "@ItemId", DbType.Guid).Value = itemId; + + var list = new List(); + + using (var reader = cmd.ExecuteReader(CommandBehavior.SequentialAccess | CommandBehavior.SingleResult)) + { + while (reader.Read()) + { + list.Add(reader.GetString(0)); + } + } + + return list; + } + } public List GetPeople(Guid itemId) { diff --git a/MediaBrowser.XbmcMetadata/EntryPoint.cs b/MediaBrowser.XbmcMetadata/EntryPoint.cs index d076332681..c3bc6e30f5 100644 --- a/MediaBrowser.XbmcMetadata/EntryPoint.cs +++ b/MediaBrowser.XbmcMetadata/EntryPoint.cs @@ -8,7 +8,6 @@ using MediaBrowser.Model.Logging; using MediaBrowser.XbmcMetadata.Configuration; using MediaBrowser.XbmcMetadata.Savers; using System; -using System.Linq; namespace MediaBrowser.XbmcMetadata { @@ -50,7 +49,11 @@ namespace MediaBrowser.XbmcMetadata return; } - var items = _libraryManager.RootFolder.GetRecursiveChildren(person.GetItemFilter()); + var items = _libraryManager.GetItems(new InternalItemsQuery + { + Person = person.Name + + }).Items; foreach (var item in items) { diff --git a/SharedVersion.cs b/SharedVersion.cs index 607b1a880c..092708e9de 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -//[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.0")] +[assembly: AssemblyVersion("3.0.*")] +//[assembly: AssemblyVersion("3.0.5666.0")] From 0291df3193f6fd23806a6ec1e87bf1aa7ed49c25 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Wed, 8 Jul 2015 12:10:34 -0400 Subject: [PATCH 12/35] 3.0.5666.2 --- MediaBrowser.Api/BaseApiService.cs | 4 +- MediaBrowser.Api/Movies/MoviesService.cs | 44 ++++++--- MediaBrowser.Api/Music/AlbumsService.cs | 8 +- .../Playback/BaseStreamingService.cs | 2 +- MediaBrowser.Api/SimilarItemsHelper.cs | 21 +++-- .../UserLibrary/PersonsService.cs | 15 ++- .../Logging/NlogManager.cs | 7 ++ .../Entities/IItemByName.cs | 2 +- .../Entities/InternalPeopleQuery.cs | 20 ++++ MediaBrowser.Controller/Entities/Person.cs | 2 + .../Entities/UserViewBuilder.cs | 2 +- .../Library/ILibraryManager.cs | 18 +++- .../MediaBrowser.Controller.csproj | 1 + .../Persistence/IItemRepository.cs | 8 +- .../ContentDirectory/ControlHandler.cs | 47 ++++------ .../Encoder/BaseEncoder.cs | 4 +- .../Dto/DtoService.cs | 35 +++++-- .../HttpServer/LoggerUtils.cs | 4 +- .../Intros/DefaultIntroProvider.cs | 24 ++++- .../Library/LibraryManager.cs | 23 +++-- .../Persistence/SqliteItemRepository.cs | 92 +++++++++++++++---- .../Api/PackageCreator.cs | 11 ++- SharedVersion.cs | 4 +- 23 files changed, 286 insertions(+), 112 deletions(-) create mode 100644 MediaBrowser.Controller/Entities/InternalPeopleQuery.cs diff --git a/MediaBrowser.Api/BaseApiService.cs b/MediaBrowser.Api/BaseApiService.cs index 564cfa93a6..7a14ace777 100644 --- a/MediaBrowser.Api/BaseApiService.cs +++ b/MediaBrowser.Api/BaseApiService.cs @@ -344,9 +344,7 @@ namespace MediaBrowser.Api return name; } - return libraryManager.GetAllPeople() - .Select(i => i.Name) - .DistinctNames() + return libraryManager.GetPeopleNames(new InternalPeopleQuery()) .FirstOrDefault(i => { i = _dashReplaceChars.Aggregate(i, (current, c) => current.Replace(c, SlugChar)); diff --git a/MediaBrowser.Api/Movies/MoviesService.cs b/MediaBrowser.Api/Movies/MoviesService.cs index 17eb448bc1..97e9aa9c8f 100644 --- a/MediaBrowser.Api/Movies/MoviesService.cs +++ b/MediaBrowser.Api/Movies/MoviesService.cs @@ -165,7 +165,7 @@ namespace MediaBrowser.Api.Movies return ToOptimizedResult(result); } - private async Task GetSimilarItemsResult(BaseGetSimilarItemsFromItem request, Func includeInSearch, Func getSimilarityScore) + private async Task GetSimilarItemsResult(BaseGetSimilarItemsFromItem request, Func includeInSearch, Func, List, BaseItem, int> getSimilarityScore) { var user = !string.IsNullOrWhiteSpace(request.UserId) ? _userManager.GetUserById(request.UserId) : null; @@ -358,12 +358,15 @@ namespace MediaBrowser.Api.Movies private IEnumerable GetWithActor(User user, List allMovies, IEnumerable names, int itemLimit, DtoOptions dtoOptions, RecommendationType type) { - var userId = user.Id; - foreach (var name in names) { + var itemsWithActor = _libraryManager.GetItemIds(new InternalItemsQuery + { + Person = name + }); + var items = allMovies - .Where(i => _libraryManager.GetPeople(i).Any(p => string.Equals(p.Name, name, StringComparison.OrdinalIgnoreCase))) + .Where(i => itemsWithActor.Contains(i.Id)) .Take(itemLimit) .ToList(); @@ -382,8 +385,6 @@ namespace MediaBrowser.Api.Movies private IEnumerable GetSimilarTo(User user, List allMovies, IEnumerable baselineItems, int itemLimit, DtoOptions dtoOptions, RecommendationType type) { - var userId = user.Id; - foreach (var item in baselineItems) { var similar = SimilarItemsHelper @@ -406,18 +407,37 @@ namespace MediaBrowser.Api.Movies private IEnumerable GetActors(IEnumerable items) { - // Get the two leading actors for all movies - return items - .SelectMany(i => _libraryManager.GetPeople(i).Where(p => !string.Equals(PersonType.Director, p.Type, StringComparison.OrdinalIgnoreCase)).Take(2)) + var people = _libraryManager.GetPeople(new InternalPeopleQuery + { + ExcludePersonTypes = new List + { + PersonType.Director + }, + MaxListOrder = 3 + }); + + var itemIds = items.Select(i => i.Id).ToList(); + + return people + .Where(i => itemIds.Contains(i.ItemId)) .Select(i => i.Name) .DistinctNames(); } private IEnumerable GetDirectors(IEnumerable items) { - return items - .Select(i => _libraryManager.GetPeople(i).FirstOrDefault(p => string.Equals(PersonType.Director, p.Type, StringComparison.OrdinalIgnoreCase))) - .Where(i => i != null) + var people = _libraryManager.GetPeople(new InternalPeopleQuery + { + PersonTypes = new List + { + PersonType.Director + } + }); + + var itemIds = items.Select(i => i.Id).ToList(); + + return people + .Where(i => itemIds.Contains(i.ItemId)) .Select(i => i.Name) .DistinctNames(); } diff --git a/MediaBrowser.Api/Music/AlbumsService.cs b/MediaBrowser.Api/Music/AlbumsService.cs index 3dc459bd20..ea87c3ad37 100644 --- a/MediaBrowser.Api/Music/AlbumsService.cs +++ b/MediaBrowser.Api/Music/AlbumsService.cs @@ -6,6 +6,7 @@ using MediaBrowser.Controller.Net; using MediaBrowser.Controller.Persistence; using ServiceStack; using System; +using System.Collections.Generic; using System.Linq; namespace MediaBrowser.Api.Music @@ -68,12 +69,13 @@ namespace MediaBrowser.Api.Music /// Gets the album similarity score. /// /// The item1. + /// The item1 people. + /// All people. /// The item2. - /// The library manager. /// System.Int32. - private int GetAlbumSimilarityScore(BaseItem item1, BaseItem item2, ILibraryManager libraryManager) + private int GetAlbumSimilarityScore(BaseItem item1, List item1People, List allPeople, BaseItem item2) { - var points = SimilarItemsHelper.GetSimiliarityScore(item1, item2, libraryManager); + var points = SimilarItemsHelper.GetSimiliarityScore(item1, item1People, allPeople, item2); var album1 = (MusicAlbum)item1; var album2 = (MusicAlbum)item2; diff --git a/MediaBrowser.Api/Playback/BaseStreamingService.cs b/MediaBrowser.Api/Playback/BaseStreamingService.cs index 41d785a34d..dc5858e863 100644 --- a/MediaBrowser.Api/Playback/BaseStreamingService.cs +++ b/MediaBrowser.Api/Playback/BaseStreamingService.cs @@ -632,7 +632,7 @@ namespace MediaBrowser.Api.Playback { var maxHeightParam = request.MaxHeight.Value.ToString(UsCulture); - filters.Add(string.Format("scale=trunc(oh*a*2)/2:min(ih\\,{0})", maxHeightParam)); + filters.Add(string.Format("scale=trunc(oh*a/2)*2:min(ih\\,{0})", maxHeightParam)); } if (string.Equals(outputVideoCodec, "h264_qsv", StringComparison.OrdinalIgnoreCase)) diff --git a/MediaBrowser.Api/SimilarItemsHelper.cs b/MediaBrowser.Api/SimilarItemsHelper.cs index 1e9b365dbd..d114446eeb 100644 --- a/MediaBrowser.Api/SimilarItemsHelper.cs +++ b/MediaBrowser.Api/SimilarItemsHelper.cs @@ -68,7 +68,7 @@ namespace MediaBrowser.Api /// The include in search. /// The get similarity score. /// ItemsResult. - internal static ItemsResult GetSimilarItemsResult(DtoOptions dtoOptions, IUserManager userManager, IItemRepository itemRepository, ILibraryManager libraryManager, IUserDataManager userDataRepository, IDtoService dtoService, ILogger logger, BaseGetSimilarItemsFromItem request, Func includeInSearch, Func getSimilarityScore) + internal static ItemsResult GetSimilarItemsResult(DtoOptions dtoOptions, IUserManager userManager, IItemRepository itemRepository, ILibraryManager libraryManager, IUserDataManager userDataRepository, IDtoService dtoService, ILogger logger, BaseGetSimilarItemsFromItem request, Func includeInSearch, Func, List, BaseItem, int> getSimilarityScore) { var user = !string.IsNullOrWhiteSpace(request.UserId) ? userManager.GetUserById(request.UserId) : null; @@ -110,12 +110,17 @@ namespace MediaBrowser.Api /// The input items. /// The get similarity score. /// IEnumerable{BaseItem}. - internal static IEnumerable GetSimilaritems(BaseItem item, ILibraryManager libraryManager, IEnumerable inputItems, Func getSimilarityScore) + internal static IEnumerable GetSimilaritems(BaseItem item, ILibraryManager libraryManager, IEnumerable inputItems, Func, List, BaseItem, int> getSimilarityScore) { var itemId = item.Id; inputItems = inputItems.Where(i => i.Id != itemId); + var itemPeople = libraryManager.GetPeople(item); + var allPeople = libraryManager.GetPeople(new InternalPeopleQuery + { + AppearsInItemId = item.Id + }); - return inputItems.Select(i => new Tuple(i, getSimilarityScore(item, i, libraryManager))) + return inputItems.Select(i => new Tuple(i, getSimilarityScore(item, itemPeople, allPeople, i))) .Where(i => i.Item2 > 2) .OrderByDescending(i => i.Item2) .Select(i => i.Item1); @@ -147,9 +152,11 @@ namespace MediaBrowser.Api /// Gets the similiarity score. /// /// The item1. + /// The item1 people. + /// All people. /// The item2. /// System.Int32. - internal static int GetSimiliarityScore(BaseItem item1, BaseItem item2, ILibraryManager libraryManager) + internal static int GetSimiliarityScore(BaseItem item1, List item1People, List allPeople, BaseItem item2) { var points = 0; @@ -170,11 +177,13 @@ namespace MediaBrowser.Api // Find common studios points += item1.Studios.Where(i => item2.Studios.Contains(i, StringComparer.OrdinalIgnoreCase)).Sum(i => 3); - var item2PeopleNames = libraryManager.GetPeople(item2).Select(i => i.Name) + var item2PeopleNames = allPeople.Where(i => i.ItemId == item2.Id) + .Select(i => i.Name) + .Where(i => !string.IsNullOrWhiteSpace(i)) .DistinctNames() .ToDictionary(i => i, StringComparer.OrdinalIgnoreCase); - points += libraryManager.GetPeople(item1).Where(i => item2PeopleNames.ContainsKey(i.Name)).Sum(i => + points += item1People.Where(i => item2PeopleNames.ContainsKey(i.Name)).Sum(i => { if (string.Equals(i.Type, PersonType.Director, StringComparison.OrdinalIgnoreCase) || string.Equals(i.Role, PersonType.Director, StringComparison.OrdinalIgnoreCase)) { diff --git a/MediaBrowser.Api/UserLibrary/PersonsService.cs b/MediaBrowser.Api/UserLibrary/PersonsService.cs index f95beb27eb..bd9898dcdf 100644 --- a/MediaBrowser.Api/UserLibrary/PersonsService.cs +++ b/MediaBrowser.Api/UserLibrary/PersonsService.cs @@ -5,7 +5,6 @@ using MediaBrowser.Controller.Net; using MediaBrowser.Controller.Persistence; using MediaBrowser.Model.Dto; using ServiceStack; -using System; using System.Collections.Generic; using System.Linq; @@ -151,18 +150,16 @@ namespace MediaBrowser.Api.UserLibrary /// The items list. /// The person types. /// IEnumerable{PersonInfo}. - private IEnumerable GetAllPeople(IEnumerable itemsList, string[] personTypes) + private IEnumerable GetAllPeople(IEnumerable itemsList, IEnumerable personTypes) { - var people = itemsList.SelectMany(i => LibraryManager.GetPeople(i).OrderBy(p => p.SortOrder ?? int.MaxValue).ThenBy(p => p.Type)); + var allIds = itemsList.Select(i => i.Id).ToList(); - if (personTypes.Length > 0) + var allPeople = LibraryManager.GetPeople(new InternalPeopleQuery { - people = people.Where(p => - personTypes.Contains(p.Type ?? string.Empty, StringComparer.OrdinalIgnoreCase) || - personTypes.Contains(p.Role ?? string.Empty, StringComparer.OrdinalIgnoreCase)); - } + PersonTypes = personTypes.ToList() + }); - return people; + return allPeople.Where(i => allIds.Contains(i.ItemId)).OrderBy(p => p.SortOrder ?? int.MaxValue).ThenBy(p => p.Type); } } } diff --git a/MediaBrowser.Common.Implementations/Logging/NlogManager.cs b/MediaBrowser.Common.Implementations/Logging/NlogManager.cs index 77d9f80f9f..6987928026 100644 --- a/MediaBrowser.Common.Implementations/Logging/NlogManager.cs +++ b/MediaBrowser.Common.Implementations/Logging/NlogManager.cs @@ -85,6 +85,13 @@ namespace MediaBrowser.Common.Implementations.Logging { rule.EnableLoggingForLevel(level); } + foreach (var lev in rule.Levels.ToArray()) + { + if (lev < level) + { + rule.DisableLoggingForLevel(lev); + } + } } } diff --git a/MediaBrowser.Controller/Entities/IItemByName.cs b/MediaBrowser.Controller/Entities/IItemByName.cs index 14b69b8fde..e6667290c1 100644 --- a/MediaBrowser.Controller/Entities/IItemByName.cs +++ b/MediaBrowser.Controller/Entities/IItemByName.cs @@ -6,7 +6,7 @@ namespace MediaBrowser.Controller.Entities /// /// Marker interface /// - public interface IItemByName + public interface IItemByName : IHasMetadata { /// /// Gets the tagged items. diff --git a/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs b/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs new file mode 100644 index 0000000000..622dffe65d --- /dev/null +++ b/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs @@ -0,0 +1,20 @@ +using System; +using System.Collections.Generic; + +namespace MediaBrowser.Controller.Entities +{ + public class InternalPeopleQuery + { + public Guid ItemId { get; set; } + public List PersonTypes { get; set; } + public List ExcludePersonTypes { get; set; } + public int? MaxListOrder { get; set; } + public Guid AppearsInItemId { get; set; } + + public InternalPeopleQuery() + { + PersonTypes = new List(); + ExcludePersonTypes = new List(); + } + } +} diff --git a/MediaBrowser.Controller/Entities/Person.cs b/MediaBrowser.Controller/Entities/Person.cs index 535574ad90..0a62655eef 100644 --- a/MediaBrowser.Controller/Entities/Person.cs +++ b/MediaBrowser.Controller/Entities/Person.cs @@ -99,6 +99,8 @@ namespace MediaBrowser.Controller.Entities /// public class PersonInfo { + public Guid ItemId { get; set; } + /// /// Gets or sets the name. /// diff --git a/MediaBrowser.Controller/Entities/UserViewBuilder.cs b/MediaBrowser.Controller/Entities/UserViewBuilder.cs index 7bbe5c39c1..62c71d1690 100644 --- a/MediaBrowser.Controller/Entities/UserViewBuilder.cs +++ b/MediaBrowser.Controller/Entities/UserViewBuilder.cs @@ -1698,7 +1698,7 @@ namespace MediaBrowser.Controller.Entities .Select(libraryManager.GetItemById) .Select(i => i == null ? "-1" : i.Name) .ToList(); - + if (!(names.Any(v => libraryManager.GetPeople(item).Select(i => i.Name).Contains(v, StringComparer.OrdinalIgnoreCase)))) { return false; diff --git a/MediaBrowser.Controller/Library/ILibraryManager.cs b/MediaBrowser.Controller/Library/ILibraryManager.cs index 58c696d550..f0bfaaf667 100644 --- a/MediaBrowser.Controller/Library/ILibraryManager.cs +++ b/MediaBrowser.Controller/Library/ILibraryManager.cs @@ -420,12 +420,19 @@ namespace MediaBrowser.Controller.Library /// List<PersonInfo>. List GetPeople(BaseItem item); + /// + /// Gets the people. + /// + /// The query. + /// List<PersonInfo>. + List GetPeople(InternalPeopleQuery query); + /// /// Gets the people items. /// - /// The item. + /// The query. /// List<Person>. - List GetPeopleItems(BaseItem item); + List GetPeopleItems(InternalPeopleQuery query); /// /// Gets all people names. @@ -447,5 +454,12 @@ namespace MediaBrowser.Controller.Library /// The query. /// List<Guid>. List GetItemIds(InternalItemsQuery query); + + /// + /// Gets the people names. + /// + /// The query. + /// List<System.String>. + List GetPeopleNames(InternalPeopleQuery query); } } \ No newline at end of file diff --git a/MediaBrowser.Controller/MediaBrowser.Controller.csproj b/MediaBrowser.Controller/MediaBrowser.Controller.csproj index fcb938accf..fcde6d8c0e 100644 --- a/MediaBrowser.Controller/MediaBrowser.Controller.csproj +++ b/MediaBrowser.Controller/MediaBrowser.Controller.csproj @@ -166,6 +166,7 @@ + diff --git a/MediaBrowser.Controller/Persistence/IItemRepository.cs b/MediaBrowser.Controller/Persistence/IItemRepository.cs index a91a7d3acd..a4b9bf1202 100644 --- a/MediaBrowser.Controller/Persistence/IItemRepository.cs +++ b/MediaBrowser.Controller/Persistence/IItemRepository.cs @@ -151,9 +151,9 @@ namespace MediaBrowser.Controller.Persistence /// /// Gets the people. /// - /// The item identifier. + /// The query. /// List<PersonInfo>. - List GetPeople(Guid itemId); + List GetPeople(InternalPeopleQuery query); /// /// Updates the people. @@ -166,9 +166,9 @@ namespace MediaBrowser.Controller.Persistence /// /// Gets the people names. /// - /// The item identifier. + /// The query. /// List<System.String>. - List GetPeopleNames(Guid itemId); + List GetPeopleNames(InternalPeopleQuery query); } } diff --git a/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs b/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs index 46c0f48e29..72040c8aee 100644 --- a/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs +++ b/MediaBrowser.Dlna/ContentDirectory/ControlHandler.cs @@ -410,7 +410,11 @@ namespace MediaBrowser.Dlna.ContentDirectory { if (stubType.Value == StubType.People) { - var items = _libraryManager.GetPeopleItems(item).ToArray(); + var items = _libraryManager.GetPeopleItems(new InternalPeopleQuery + { + ItemId = item.Id + + }).ToArray(); var result = new QueryResult { @@ -432,7 +436,7 @@ namespace MediaBrowser.Dlna.ContentDirectory var person = item as Person; if (person != null) { - return await GetItemsFromPerson(person, user, startIndex, limit).ConfigureAwait(false); + return GetItemsFromPerson(person, user, startIndex, limit); } return ApplyPaging(new QueryResult(), startIndex, limit); @@ -475,38 +479,19 @@ namespace MediaBrowser.Dlna.ContentDirectory }; } - private async Task> GetItemsFromPerson(Person person, User user, int? startIndex, int? limit) + private QueryResult GetItemsFromPerson(Person person, User user, int? startIndex, int? limit) { - var items = user.RootFolder.GetRecursiveChildren(user, i => i is Movie || i is Series && PeopleHelper.ContainsPerson(_libraryManager.GetPeople(i), person.Name)) - .ToList(); - - var trailerResult = await _channelManager.GetAllMediaInternal(new AllChannelMediaQuery + var itemsWithPerson = _libraryManager.GetItems(new InternalItemsQuery { - ContentTypes = new[] { ChannelMediaContentType.MovieExtra }, - ExtraTypes = new[] { ExtraType.Trailer }, - UserId = user.Id.ToString("N") + Person = person.Name - }, CancellationToken.None).ConfigureAwait(false); + }).Items; - var currentIds = items.Select(i => i.GetProviderId(MetadataProviders.Imdb)) + var items = itemsWithPerson + .Where(i => i is Movie || i is Series || i is IChannelItem) + .Where(i => i.IsVisibleStandalone(user)) .ToList(); - var trailersToAdd = trailerResult.Items - .Where(i => PeopleHelper.ContainsPerson(_libraryManager.GetPeople(i), person.Name)) - .Where(i => - { - // Try to filter out dupes using imdb id - var imdb = i.GetProviderId(MetadataProviders.Imdb); - if (!string.IsNullOrWhiteSpace(imdb) && - currentIds.Contains(imdb, StringComparer.OrdinalIgnoreCase)) - { - return false; - } - return true; - }); - - items.AddRange(trailersToAdd); - items = _libraryManager.Sort(items, user, new[] { ItemSortBy.SortName }, SortOrder.Ascending) .Skip(startIndex ?? 0) .Take(limit ?? int.MaxValue) @@ -558,7 +543,11 @@ namespace MediaBrowser.Dlna.ContentDirectory private bool EnablePeopleDisplay(BaseItem item) { - if (_libraryManager.GetPeople(item).Count > 0) + if (_libraryManager.GetPeopleNames(new InternalPeopleQuery + { + ItemId = item.Id + + }).Count > 0) { return item is Movie; } diff --git a/MediaBrowser.MediaEncoding/Encoder/BaseEncoder.cs b/MediaBrowser.MediaEncoding/Encoder/BaseEncoder.cs index 16b4e418ec..97c5aecd08 100644 --- a/MediaBrowser.MediaEncoding/Encoder/BaseEncoder.cs +++ b/MediaBrowser.MediaEncoding/Encoder/BaseEncoder.cs @@ -834,7 +834,7 @@ namespace MediaBrowser.MediaEncoding.Encoder { var heightParam = request.Height.Value.ToString(UsCulture); - filters.Add(string.Format("scale=trunc(oh*a*2)/2:{0}", heightParam)); + filters.Add(string.Format("scale=trunc(oh*a/2)*2:{0}", heightParam)); } // If a max width was requested @@ -850,7 +850,7 @@ namespace MediaBrowser.MediaEncoding.Encoder { var maxHeightParam = request.MaxHeight.Value.ToString(UsCulture); - filters.Add(string.Format("scale=trunc(oh*a*2)/2:min(ih\\,{0})", maxHeightParam)); + filters.Add(string.Format("scale=trunc(oh*a/2)*2:min(ih\\,{0})", maxHeightParam)); } var output = string.Empty; diff --git a/MediaBrowser.Server.Implementations/Dto/DtoService.cs b/MediaBrowser.Server.Implementations/Dto/DtoService.cs index d147777bd5..bdc758d8e8 100644 --- a/MediaBrowser.Server.Implementations/Dto/DtoService.cs +++ b/MediaBrowser.Server.Implementations/Dto/DtoService.cs @@ -132,13 +132,7 @@ namespace MediaBrowser.Server.Implementations.Dto { if (options.Fields.Contains(ItemFields.ItemCounts)) { - var itemFilter = byName.GetItemFilter(); - - var libraryItems = user != null ? - user.RootFolder.GetRecursiveChildren(user, itemFilter) : - _libraryManager.RootFolder.GetRecursiveChildren(itemFilter); - - SetItemByNameInfo(item, dto, libraryItems.ToList(), user); + SetItemByNameInfo(item, dto, GetTaggedItems(byName, user), user); } FillSyncInfo(dto, item, options, user, syncProgress); @@ -150,6 +144,33 @@ namespace MediaBrowser.Server.Implementations.Dto return dto; } + private List GetTaggedItems(IItemByName byName, User user) + { + var person = byName as Person; + + if (person != null) + { + var items = _libraryManager.GetItems(new InternalItemsQuery + { + Person = byName.Name + + }).Items; + + if (user != null) + { + return items.Where(i => i.IsVisibleStandalone(user)).ToList(); + } + + return items.ToList(); + } + + var itemFilter = byName.GetItemFilter(); + + return user != null ? + user.RootFolder.GetRecursiveChildren(user, itemFilter).ToList() : + _libraryManager.RootFolder.GetRecursiveChildren(itemFilter).ToList(); + } + private SyncedItemProgress[] GetSyncedItemProgress(DtoOptions options) { if (!options.Fields.Contains(ItemFields.SyncInfo)) diff --git a/MediaBrowser.Server.Implementations/HttpServer/LoggerUtils.cs b/MediaBrowser.Server.Implementations/HttpServer/LoggerUtils.cs index 955c4ed2d0..5558c24d73 100644 --- a/MediaBrowser.Server.Implementations/HttpServer/LoggerUtils.cs +++ b/MediaBrowser.Server.Implementations/HttpServer/LoggerUtils.cs @@ -1,6 +1,6 @@ using MediaBrowser.Model.Logging; using System; -using System.Net; +using System.Globalization; using System.Text; namespace MediaBrowser.Server.Implementations.HttpServer @@ -23,7 +23,7 @@ namespace MediaBrowser.Server.Implementations.HttpServer //log.AppendLine("Headers: " + string.Join(",", response.Headers.AllKeys.Select(k => k + "=" + response.Headers[k]))); - var responseTime = string.Format(". Response time: {0} ms.", duration.TotalMilliseconds); + var responseTime = string.Format(". Response time: {0} ms.", duration.TotalMilliseconds.ToString(CultureInfo.InvariantCulture)); var msg = "HTTP Response " + statusCode + " to " + endPoint + responseTime; diff --git a/MediaBrowser.Server.Implementations/Intros/DefaultIntroProvider.cs b/MediaBrowser.Server.Implementations/Intros/DefaultIntroProvider.cs index f19668d5dc..db9841f9d6 100644 --- a/MediaBrowser.Server.Implementations/Intros/DefaultIntroProvider.cs +++ b/MediaBrowser.Server.Implementations/Intros/DefaultIntroProvider.cs @@ -71,6 +71,12 @@ namespace MediaBrowser.Server.Implementations.Intros var candidates = new List(); + var itemPeople = _libraryManager.GetPeople(item); + var allPeople = _libraryManager.GetPeople(new InternalPeopleQuery + { + AppearsInItemId = item.Id + }); + if (config.EnableIntrosFromMoviesInLibrary) { var itemsWithTrailers = user.RootFolder @@ -94,6 +100,8 @@ namespace MediaBrowser.Server.Implementations.Intros Type = ItemWithTrailerType.ItemWithTrailer, User = user, WatchingItem = item, + WatchingItemPeople = itemPeople, + AllPeople = allPeople, Random = random, LibraryManager = _libraryManager })); @@ -135,6 +143,8 @@ namespace MediaBrowser.Server.Implementations.Intros Type = ItemWithTrailerType.ChannelTrailer, User = user, WatchingItem = item, + WatchingItemPeople = itemPeople, + AllPeople = allPeople, Random = random, LibraryManager = _libraryManager })); @@ -241,7 +251,7 @@ namespace MediaBrowser.Server.Implementations.Intros return true; } - internal static int GetSimiliarityScore(BaseItem item1, BaseItem item2, Random random, ILibraryManager libraryManager) + internal static int GetSimiliarityScore(BaseItem item1, List item1People, List allPeople, BaseItem item2, Random random, ILibraryManager libraryManager) { var points = 0; @@ -262,11 +272,13 @@ namespace MediaBrowser.Server.Implementations.Intros // Find common studios points += item1.Studios.Where(i => item2.Studios.Contains(i, StringComparer.OrdinalIgnoreCase)).Sum(i => 5); - var item2PeopleNames = libraryManager.GetPeople(item2).Select(i => i.Name) - .Distinct(StringComparer.OrdinalIgnoreCase) + var item2PeopleNames = allPeople.Where(i => i.ItemId == item2.Id) + .Select(i => i.Name) + .Where(i => !string.IsNullOrWhiteSpace(i)) + .DistinctNames() .ToDictionary(i => i, StringComparer.OrdinalIgnoreCase); - points += libraryManager.GetPeople(item1).Where(i => item2PeopleNames.ContainsKey(i.Name)).Sum(i => + points += item1People.Where(i => item2PeopleNames.ContainsKey(i.Name)).Sum(i => { if (string.Equals(i.Type, PersonType.Director, StringComparison.OrdinalIgnoreCase) || string.Equals(i.Role, PersonType.Director, StringComparison.OrdinalIgnoreCase)) { @@ -341,6 +353,8 @@ namespace MediaBrowser.Server.Implementations.Intros internal ItemWithTrailerType Type; internal User User; internal BaseItem WatchingItem; + internal List WatchingItemPeople; + internal List AllPeople; internal Random Random; internal ILibraryManager LibraryManager; @@ -364,7 +378,7 @@ namespace MediaBrowser.Server.Implementations.Intros { if (!_score.HasValue) { - _score = GetSimiliarityScore(WatchingItem, Item, Random, LibraryManager); + _score = GetSimiliarityScore(WatchingItem, WatchingItemPeople, AllPeople, Item, Random, LibraryManager); } return _score.Value; } diff --git a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs index a4be54f27b..995a7fabd1 100644 --- a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs +++ b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs @@ -2062,14 +2062,22 @@ namespace MediaBrowser.Server.Implementations.Library } } + public List GetPeople(InternalPeopleQuery query) + { + return ItemRepository.GetPeople(query); + } + public List GetPeople(BaseItem item) { - return item.People ?? ItemRepository.GetPeople(item.Id); + return item.People ?? GetPeople(new InternalPeopleQuery + { + ItemId = item.Id + }); } - public List GetPeopleItems(BaseItem item) + public List GetPeopleItems(InternalPeopleQuery query) { - return ItemRepository.GetPeopleNames(item.Id).Select(i => + return ItemRepository.GetPeopleNames(query).Select(i => { try { @@ -2084,11 +2092,14 @@ namespace MediaBrowser.Server.Implementations.Library }).Where(i => i != null).ToList(); } + public List GetPeopleNames(InternalPeopleQuery query) + { + return ItemRepository.GetPeopleNames(query); + } + public List GetAllPeople() { - return RootFolder.GetRecursiveChildren() - .SelectMany(GetPeople) - .Where(i => !string.IsNullOrWhiteSpace(i.Name)) + return GetPeople(new InternalPeopleQuery()) .DistinctBy(i => i.Name, StringComparer.OrdinalIgnoreCase) .ToList(); } diff --git a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs index a247bbbe3e..cc4b7f0744 100644 --- a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs +++ b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs @@ -135,8 +135,8 @@ namespace MediaBrowser.Server.Implementations.Persistence _connection.RunQueries(queries, _logger); - _connection.AddColumn(_logger, "TypedBaseItems", "Path", "Text"); - _connection.AddColumn(_logger, "TypedBaseItems", "StartDate", "DATETIME"); + _connection.AddColumn(_logger, "TypedBaseItems", "Path", "Text"); + _connection.AddColumn(_logger, "TypedBaseItems", "StartDate", "DATETIME"); _connection.AddColumn(_logger, "TypedBaseItems", "EndDate", "DATETIME"); _connection.AddColumn(_logger, "TypedBaseItems", "ChannelId", "Text"); _connection.AddColumn(_logger, "TypedBaseItems", "IsMovie", "BIT"); @@ -286,9 +286,9 @@ namespace MediaBrowser.Server.Implementations.Persistence _saveItemCommand.GetParameter(index++).Value = item.GetType().FullName; _saveItemCommand.GetParameter(index++).Value = _jsonSerializer.SerializeToBytes(item); - _saveItemCommand.GetParameter(index++).Value = item.Path; + _saveItemCommand.GetParameter(index++).Value = item.Path; - var hasStartDate = item as IHasStartDate; + var hasStartDate = item as IHasStartDate; if (hasStartDate != null) { _saveItemCommand.GetParameter(index++).Value = hasStartDate.StartDate; @@ -329,7 +329,7 @@ namespace MediaBrowser.Server.Implementations.Persistence _saveItemCommand.GetParameter(index++).Value = item.ParentIndexNumber; _saveItemCommand.GetParameter(index++).Value = item.PremiereDate; _saveItemCommand.GetParameter(index++).Value = item.ProductionYear; - + _saveItemCommand.Transaction = transaction; _saveItemCommand.ExecuteNonQuery(); @@ -1009,7 +1009,7 @@ namespace MediaBrowser.Server.Implementations.Persistence _deletePeopleCommand.GetParameter(0).Value = id; _deletePeopleCommand.Transaction = transaction; _deletePeopleCommand.ExecuteNonQuery(); - + // Delete the item _deleteItemCommand.GetParameter(0).Value = id; _deleteItemCommand.Transaction = transaction; @@ -1133,20 +1133,27 @@ namespace MediaBrowser.Server.Implementations.Persistence return _mediaStreamsRepository.SaveMediaStreams(id, streams, cancellationToken); } - public List GetPeopleNames(Guid itemId) + public List GetPeopleNames(InternalPeopleQuery query) { - if (itemId == Guid.Empty) + if (query == null) { - throw new ArgumentNullException("itemId"); + throw new ArgumentNullException("query"); } CheckDisposed(); using (var cmd = _connection.CreateCommand()) { - cmd.CommandText = "select Distinct Name from People where ItemId=@ItemId order by ListOrder"; + cmd.CommandText = "select Distinct Name from People"; - cmd.Parameters.Add(cmd, "@ItemId", DbType.Guid).Value = itemId; + var whereClauses = GetPeopleWhereClauses(query, cmd); + + if (whereClauses.Count > 0) + { + cmd.CommandText += " where " + string.Join(" AND ", whereClauses.ToArray()); + } + + cmd.CommandText += " order by ListOrder"; var list = new List(); @@ -1162,20 +1169,27 @@ namespace MediaBrowser.Server.Implementations.Persistence } } - public List GetPeople(Guid itemId) + public List GetPeople(InternalPeopleQuery query) { - if (itemId == Guid.Empty) + if (query == null) { - throw new ArgumentNullException("itemId"); + throw new ArgumentNullException("query"); } CheckDisposed(); using (var cmd = _connection.CreateCommand()) { - cmd.CommandText = "select ItemId, Name, Role, PersonType, SortOrder from People where ItemId=@ItemId order by ListOrder"; + cmd.CommandText = "select ItemId, Name, Role, PersonType, SortOrder from People"; + + var whereClauses = GetPeopleWhereClauses(query, cmd); + + if (whereClauses.Count > 0) + { + cmd.CommandText += " where " + string.Join(" AND ", whereClauses.ToArray()); + } - cmd.Parameters.Add(cmd, "@ItemId", DbType.Guid).Value = itemId; + cmd.CommandText += " order by ListOrder"; var list = new List(); @@ -1191,6 +1205,51 @@ namespace MediaBrowser.Server.Implementations.Persistence } } + private List GetPeopleWhereClauses(InternalPeopleQuery query, IDbCommand cmd) + { + var whereClauses = new List(); + + if (query.ItemId != Guid.Empty) + { + whereClauses.Add("ItemId=@ItemId"); + cmd.Parameters.Add(cmd, "@ItemId", DbType.Guid).Value = query.ItemId; + } + if (query.AppearsInItemId != Guid.Empty) + { + whereClauses.Add("Name in (Select Name from People where ItemId=@AppearsInItemId)"); + cmd.Parameters.Add(cmd, "@AppearsInItemId", DbType.Guid).Value = query.AppearsInItemId; + } + if (query.PersonTypes.Count == 1) + { + whereClauses.Add("PersonType=@PersonType"); + cmd.Parameters.Add(cmd, "@PersonType", DbType.String).Value = query.PersonTypes[0]; + } + if (query.PersonTypes.Count > 1) + { + var val = string.Join(",", query.PersonTypes.Select(i => "'" + i + "'").ToArray()); + + whereClauses.Add("PersonType in (" + val + ")"); + } + if (query.ExcludePersonTypes.Count == 1) + { + whereClauses.Add("PersonType<>@PersonType"); + cmd.Parameters.Add(cmd, "@PersonType", DbType.String).Value = query.ExcludePersonTypes[0]; + } + if (query.ExcludePersonTypes.Count > 1) + { + var val = string.Join(",", query.ExcludePersonTypes.Select(i => "'" + i + "'").ToArray()); + + whereClauses.Add("PersonType not in (" + val + ")"); + } + if (query.MaxListOrder.HasValue) + { + whereClauses.Add("ListOrder<=@MaxListOrder"); + cmd.Parameters.Add(cmd, "@MaxListOrder", DbType.Int32).Value = query.MaxListOrder.Value; + } + + return whereClauses; + } + public async Task UpdatePeople(Guid itemId, List people) { if (itemId == Guid.Empty) @@ -1277,6 +1336,7 @@ namespace MediaBrowser.Server.Implementations.Persistence { var item = new PersonInfo(); + item.ItemId = reader.GetGuid(0); item.Name = reader.GetString(1); if (!reader.IsDBNull(2)) diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index 0cd22baa95..c50f98c33f 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -124,6 +124,15 @@ namespace MediaBrowser.WebDashboard.Api var fullPath = Path.Combine(rootPath, virtualPath.Replace('/', Path.DirectorySeparatorChar)); + try + { + fullPath = Path.GetFullPath(fullPath); + } + catch (Exception ex) + { + _logger.ErrorException("Error in Path.GetFullPath", ex); + } + // Don't allow file system access outside of the source folder if (!_fileSystem.ContainsSubPath(rootPath, fullPath)) { @@ -654,7 +663,7 @@ namespace MediaBrowser.WebDashboard.Api await AppendResource(memoryStream, "thirdparty/jquerymobile-1.4.5/jquery.mobile.custom.theme.min.css", newLineBytes).ConfigureAwait(false); await AppendResource(memoryStream, "thirdparty/jquerymobile-1.4.5/jquery.mobile.custom.structure.min.css", newLineBytes).ConfigureAwait(false); - + var files = new[] { "css/site.css", diff --git a/SharedVersion.cs b/SharedVersion.cs index 092708e9de..e35ca61dda 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -[assembly: AssemblyVersion("3.0.*")] -//[assembly: AssemblyVersion("3.0.5666.0")] +//[assembly: AssemblyVersion("3.0.*")] +[assembly: AssemblyVersion("3.0.5666.2")] From 6d7e6068124033e58a8673b1f7b452eaab15eb0d Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Wed, 8 Jul 2015 20:20:01 -0400 Subject: [PATCH 13/35] update translations --- .../Localization/JavaScript/ar.json | 1156 ++++----- .../Localization/JavaScript/be-BY.json | 1158 ++++----- .../Localization/JavaScript/bg-BG.json | 1158 ++++----- .../Localization/JavaScript/ca.json | 1156 ++++----- .../Localization/JavaScript/cs.json | 1158 ++++----- .../Localization/JavaScript/da.json | 1158 ++++----- .../Localization/JavaScript/de.json | 1164 ++++----- .../Localization/JavaScript/el.json | 1158 ++++----- .../Localization/JavaScript/en-GB.json | 1156 ++++----- .../Localization/JavaScript/en-US.json | 1156 ++++----- .../Localization/JavaScript/es-AR.json | 1158 ++++----- .../Localization/JavaScript/es-MX.json | 1156 ++++----- .../Localization/JavaScript/es-VE.json | 1158 ++++----- .../Localization/JavaScript/es.json | 1158 ++++----- .../Localization/JavaScript/fi.json | 1156 ++++----- .../Localization/JavaScript/fr.json | 1162 ++++----- .../Localization/JavaScript/gsw.json | 1158 ++++----- .../Localization/JavaScript/he.json | 1156 ++++----- .../Localization/JavaScript/hr.json | 1156 ++++----- .../Localization/JavaScript/hu.json | 1156 ++++----- .../Localization/JavaScript/it.json | 1162 ++++----- .../Localization/JavaScript/kk.json | 1156 ++++----- .../Localization/JavaScript/ms.json | 1156 ++++----- .../Localization/JavaScript/nb.json | 1160 ++++----- .../Localization/JavaScript/nl.json | 1164 ++++----- .../Localization/JavaScript/pl.json | 1158 ++++----- .../Localization/JavaScript/pt-BR.json | 1160 ++++----- .../Localization/JavaScript/pt-PT.json | 1168 ++++----- .../Localization/JavaScript/ro.json | 1158 ++++----- .../Localization/JavaScript/ru.json | 1156 ++++----- .../Localization/JavaScript/sl-SI.json | 1160 ++++----- .../Localization/JavaScript/sv.json | 1160 ++++----- .../Localization/JavaScript/tr.json | 1156 ++++----- .../Localization/JavaScript/uk.json | 1160 ++++----- .../Localization/JavaScript/vi.json | 1156 ++++----- .../Localization/JavaScript/zh-CN.json | 1158 ++++----- .../Localization/JavaScript/zh-TW.json | 1156 ++++----- .../Localization/Server/ar.json | 2079 ++++++++-------- .../Localization/Server/bg-BG.json | 2079 ++++++++-------- .../Localization/Server/ca.json | 2079 ++++++++-------- .../Localization/Server/cs.json | 2079 ++++++++-------- .../Localization/Server/da.json | 2079 ++++++++-------- .../Localization/Server/de.json | 2085 ++++++++-------- .../Localization/Server/el.json | 2079 ++++++++-------- .../Localization/Server/en-GB.json | 2079 ++++++++-------- .../Localization/Server/en-US.json | 2079 ++++++++-------- .../Localization/Server/es-AR.json | 2079 ++++++++-------- .../Localization/Server/es-MX.json | 2079 ++++++++-------- .../Localization/Server/es.json | 2079 ++++++++-------- .../Localization/Server/fi.json | 2079 ++++++++-------- .../Localization/Server/fr.json | 2095 ++++++++-------- .../Localization/Server/gsw.json | 2079 ++++++++-------- .../Localization/Server/he.json | 2079 ++++++++-------- .../Localization/Server/hr.json | 2079 ++++++++-------- .../Localization/Server/it.json | 2079 ++++++++-------- .../Localization/Server/kk.json | 2079 ++++++++-------- .../Localization/Server/ko.json | 2079 ++++++++-------- .../Localization/Server/ms.json | 2079 ++++++++-------- .../Localization/Server/nb.json | 2077 ++++++++-------- .../Localization/Server/nl.json | 2113 +++++++++-------- .../Localization/Server/pl.json | 2079 ++++++++-------- .../Localization/Server/pt-BR.json | 2091 ++++++++-------- .../Localization/Server/pt-PT.json | 2077 ++++++++-------- .../Localization/Server/ro.json | 2079 ++++++++-------- .../Localization/Server/ru.json | 2079 ++++++++-------- .../Localization/Server/sl-SI.json | 2079 ++++++++-------- .../Localization/Server/sv.json | 2079 ++++++++-------- .../Localization/Server/tr.json | 2079 ++++++++-------- .../Localization/Server/uk.json | 2079 ++++++++-------- .../Localization/Server/vi.json | 2079 ++++++++-------- .../Localization/Server/zh-CN.json | 2079 ++++++++-------- .../Localization/Server/zh-TW.json | 2079 ++++++++-------- SharedVersion.cs | 4 +- 73 files changed, 58041 insertions(+), 57648 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json index 6fee892afa..e808931d69 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u062a\u0645 \u062d\u0641\u0638 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a.", + "AddUser": "\u0627\u0636\u0627\u0641\u0629 \u0645\u0633\u062a\u062e\u062f\u0645", + "Users": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", + "Delete": "\u062d\u0630\u0641", + "Administrator": "\u0627\u0644\u0645\u0633\u0624\u0648\u0644", + "Password": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", + "DeleteImage": "\u062d\u0630\u0641 \u0635\u0648\u0631\u0629", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u062d\u0630\u0641 \u0647\u0630\u0647 \u0627\u0644\u0635\u0648\u0631\u0629\u061f", + "FileReadCancelled": "\u062a\u0645 \u0627\u0644\u063a\u0627\u0621 \u0642\u0631\u0627\u0621\u0629 \u0627\u0644\u0645\u0644\u0641.", + "FileNotFound": "\u0627\u0644\u0645\u0644\u0641 \u063a\u064a\u0631 \u0645\u0648\u062c\u0648\u062f.", + "FileReadError": "\u062d\u062f\u062b \u062e\u0637\u0623 \u0628\u0642\u0631\u0627\u0621\u0629 \u0627\u0644\u0645\u0644\u0641.", + "DeleteUser": "\u062d\u0630\u0641 \u0645\u0633\u062a\u062e\u062f\u0645", + "DeleteUserConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u062d\u0630\u0641 \u0647\u0630\u0627 \u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645 \u061f", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "\u0644\u0642\u062f \u062a\u0645 \u0627\u0639\u0627\u062f\u0629 \u062a\u0639\u064a\u064a\u0646 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u0627\u0639\u0627\u062f\u0629 \u062a\u0639\u064a\u064a\u0646 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631\u061f", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "\u062a\u0645 \u062d\u0641\u0638 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631.", + "PasswordMatchError": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0648\u062a\u0627\u0643\u064a\u062f\u0647\u0627 \u064a\u062c\u0628 \u0627\u0646 \u064a\u062a\u0637\u0627\u0628\u0642\u0627\u0646.", + "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)", + "UninstallPluginHeader": "\u0627\u0644\u063a\u0627\u0621 \u0627\u0644\u0645\u0644\u062d\u0642", + "UninstallPluginConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u0627\u0644\u063a\u0627\u0621 {0} \u061f", + "NoPluginConfigurationMessage": "\u0647\u0630\u0627 \u0627\u0644\u0645\u0644\u062d\u0642 \u0644\u064a\u0633 \u0644\u0647 \u0636\u0628\u0637.", + "NoPluginsInstalledMessage": "\u0644\u0627 \u064a\u0648\u062c\u062f \u0644\u062f\u064a\u0643 \u0627\u0649 \u0645\u0644\u0627\u062d\u0642 \u0645\u062b\u0628\u062a\u0629.", + "BrowsePluginCatalogMessage": "\u062a\u0635\u0641\u062d \u0642\u0627\u0626\u0645\u062a\u0646\u0627 \u0644\u0644\u0645\u0644\u062d\u0642 \u0644\u062a\u0631\u0649 \u0627\u0644\u0645\u062a\u0648\u0641\u0631 \u0645\u0646 \u0627\u0644\u0645\u0644\u0627\u062d\u0642.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "\u062a\u062e\u0632\u064a\u0646", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u0627\u0644\u062d\u0644\u0642\u0627\u062a", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "\u0627\u064a\u0642\u0627\u0641", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "\u062a\u0634\u063a\u064a\u0644", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "\u0627\u0644\u0627\u0635\u062f\u0627\u0631 \u0627\u0644\u0631\u0633\u0645\u0649", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "\u0628\u064a\u062a\u0627", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "\u062a\u0637\u0648\u0631\u0649 (\u063a\u064a\u0631 \u0645\u0633\u062a\u0642\u0631)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "\u0627\u0644\u063a\u0627\u0621 \u0627\u0644\u0645\u0644\u062d\u0642", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u0627\u0644\u063a\u0627\u0621 {0} \u061f", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "\u0647\u0630\u0627 \u0627\u0644\u0645\u0644\u062d\u0642 \u0644\u064a\u0633 \u0644\u0647 \u0636\u0628\u0637.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "\u0644\u0627 \u064a\u0648\u062c\u062f \u0644\u062f\u064a\u0643 \u0627\u0649 \u0645\u0644\u0627\u062d\u0642 \u0645\u062b\u0628\u062a\u0629.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "\u062a\u0635\u0641\u062d \u0642\u0627\u0626\u0645\u062a\u0646\u0627 \u0644\u0644\u0645\u0644\u062d\u0642 \u0644\u062a\u0631\u0649 \u0627\u0644\u0645\u062a\u0648\u0641\u0631 \u0645\u0646 \u0627\u0644\u0645\u0644\u0627\u062d\u0642.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "\u0627\u0644\u0627\u062d\u062f", + "OptionMonday": "\u0627\u0644\u0627\u062b\u0646\u064a\u0646", + "OptionTuesday": "\u0627\u0644\u062b\u0644\u0627\u062b\u0627\u0621", + "OptionWednesday": "\u0627\u0644\u0627\u0631\u0628\u0639\u0627\u0621", + "OptionThursday": "\u0627\u0644\u062e\u0645\u064a\u0633", + "OptionFriday": "\u0627\u0644\u062c\u0645\u0639\u0629", + "OptionSaturday": "\u0627\u0644\u0633\u0628\u062a", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u0627\u0633\u062a\u0623\u0646\u0641", + "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.", - "HeaderUsers": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "\u0627\u0633\u062a\u0623\u0646\u0641", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u0627\u0644\u0627\u063a\u0627\u0646\u0649", - "TabAlbums": "\u0627\u0644\u0628\u0648\u0645\u0627\u062a", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "\u0645\u0648\u0627\u0641\u0642", + "ButtonCancel": "\u0627\u0644\u063a\u0627\u0621", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "\u0645\u0648\u0633\u064a\u0642\u0649 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "\u0632\u0645\u0646 \u0627\u0644\u062a\u0634\u063a\u064a\u0644", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "\u0627\u064a\u0642\u0627\u0641", + "OptionOn": "\u062a\u0634\u063a\u064a\u0644", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u0632\u0645\u0646 \u0627\u0644\u062a\u0634\u063a\u064a\u0644", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "\u0645\u0648\u0627\u0641\u0642", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u0627\u0644\u063a\u0627\u0621", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "\u062a\u0645 \u062d\u0641\u0638 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "\u0627\u0636\u0627\u0641\u0629 \u0645\u0633\u062a\u062e\u062f\u0645", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "\u062d\u0630\u0641", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "\u0627\u0644\u0645\u0633\u0624\u0648\u0644", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "\u062d\u0630\u0641 \u0635\u0648\u0631\u0629", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u062d\u0630\u0641 \u0647\u0630\u0647 \u0627\u0644\u0635\u0648\u0631\u0629\u061f", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "\u0627\u0644\u0627\u062d\u062f", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "\u062a\u0645 \u0627\u0644\u063a\u0627\u0621 \u0642\u0631\u0627\u0621\u0629 \u0627\u0644\u0645\u0644\u0641.", - "OptionMonday": "\u0627\u0644\u0627\u062b\u0646\u064a\u0646", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "\u0627\u0644\u0645\u0644\u0641 \u063a\u064a\u0631 \u0645\u0648\u062c\u0648\u062f.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u0627\u0644\u062b\u0644\u0627\u062b\u0627\u0621", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "\u062d\u062f\u062b \u062e\u0637\u0623 \u0628\u0642\u0631\u0627\u0621\u0629 \u0627\u0644\u0645\u0644\u0641.", - "HeaderName": "Name", - "OptionWednesday": "\u0627\u0644\u0627\u0631\u0628\u0639\u0627\u0621", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "\u062d\u0630\u0641 \u0645\u0633\u062a\u062e\u062f\u0645", - "OptionThursday": "\u0627\u0644\u062e\u0645\u064a\u0633", "OptionSeries": "Series", - "DeleteUserConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u062d\u0630\u0641 \u0647\u0630\u0627 \u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645 \u061f", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "\u0627\u0644\u062c\u0645\u0639\u0629", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "\u0627\u0644\u0633\u0628\u062a", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "\u0644\u0642\u062f \u062a\u0645 \u0627\u0639\u0627\u062f\u0629 \u062a\u0639\u064a\u064a\u0646 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "\u0647\u0644 \u0627\u0646\u062a \u0645\u062a\u0627\u0643\u062f \u0645\u0646 \u0627\u0646\u0643 \u062a\u0631\u064a\u062f \u0627\u0639\u0627\u062f\u0629 \u062a\u0639\u064a\u064a\u0646 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631\u061f", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "\u062a\u0645 \u062d\u0641\u0638 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0648\u062a\u0627\u0643\u064a\u062f\u0647\u0627 \u064a\u062c\u0628 \u0627\u0646 \u064a\u062a\u0637\u0627\u0628\u0642\u0627\u0646.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "\u062a\u062e\u0632\u064a\u0646", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Movies", + "TabSeries": "Series", + "TabEpisodes": "\u0627\u0644\u062d\u0644\u0642\u0627\u062a", + "TabTrailers": "Trailers", + "TabGames": "Games", + "TabAlbums": "\u0627\u0644\u0628\u0648\u0645\u0627\u062a", + "TabSongs": "\u0627\u0644\u0627\u063a\u0627\u0646\u0649", + "TabMusicVideos": "\u0645\u0648\u0633\u064a\u0642\u0649 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/be-BY.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/be-BY.json index 304430b731..f0a9ac9de6 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/be-BY.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/be-BY.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u0445\u043e\u0434\u0430", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/bg-BG.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/bg-BG.json index 4492837e35..ef7e313854 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/bg-BG.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/bg-BG.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u044f, \u0447\u0435 \u043f\u043e\u0434\u043a\u0440\u0435\u043f\u0438\u0445\u0442\u0435 Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u043d\u043e \u0438\u0437\u0434\u0430\u043d\u0438\u0435", + "OptionBeta": "\u0411\u0435\u0442\u0430", + "OptionDev": "\u0417\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438 (\u041d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u0435\u043d)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "\u041f\u043e\u0434\u043a\u0440\u0435\u043f\u0435\u0442\u0435 Emby \u041e\u0442\u0431\u043e\u0440\u044a\u0442", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "\u0422V \u043d\u0430 \u0436\u0438\u0432\u043e", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "\u041f\u043e\u0440\u0435\u0434\u0438\u0446\u0430", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(\u043d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e)", + "ButtonHelp": "\u041f\u043e\u043c\u043e\u0449", + "ButtonSave": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0432 \u041a\u043e\u043b\u0435\u043a\u0446\u0438\u044f\u0442\u0430", + "NewCollectionNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: \u041a\u043e\u043b\u0435\u043a\u0446\u0438\u044f Star Wars", + "OptionSearchForInternetMetadata": "\u0422\u044a\u0440\u0441\u0438 \u0432 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0437\u0430 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", + "LabelSelectCollection": "\u0418\u0437\u0431\u0435\u0440\u0438 \u043a\u043e\u043b\u0435\u043a\u0446\u0438\u044f:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439 \u043d\u0430\u043e\u043a\u043e\u043b\u043e", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0442\u0430", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: \u041a\u043e\u043b\u0435\u043a\u0446\u0438\u044f Star Wars", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "\u0422\u044a\u0440\u0441\u0438 \u0432 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0437\u0430 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0432\u0430\u0449\u0430 \u043f\u044a\u0442\u0435\u043a\u0430", + "ButtonPause": "Pause", + "ButtonPlay": "\u041f\u0443\u0441\u043d\u0438", + "ButtonEdit": "\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0439", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u0438\u0448\u043d\u0430 \u043f\u044a\u0442\u0435\u043a\u0430", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "\u0412\u0441\u0438\u0447\u043a\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "\u041f\u043e\u043c\u043e\u0449", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u043d\u043e \u0438\u0437\u0434\u0430\u043d\u0438\u0435", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "\u0411\u0435\u0442\u0430", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "\u0417\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438 (\u041d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u0435\u043d)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "\u041d\u0430\u0438\u0441\u0442\u0438\u043d\u0430 \u043b\u0438 \u0438\u0441\u043a\u0430\u0442\u0435 \u0434\u0430 \u0440\u0435\u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u0442\u0435 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "\u041d\u0430\u0438\u0441\u0442\u0438\u043d\u0430 \u043b\u0438 \u0438\u0441\u043a\u0430\u0442\u0435 \u0434\u0430 \u0441\u043f\u0440\u0435\u0442\u0435 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "\u041d\u0435\u0434\u0435\u043b\u044f", + "OptionMonday": "\u041f\u043e\u043d\u0435\u0434\u0435\u043b\u043d\u0438\u043a", + "OptionTuesday": "\u0412\u0442\u043e\u0440\u043d\u0438\u043a", + "OptionWednesday": "\u0421\u0440\u044f\u0434\u0430", + "OptionThursday": "\u0427\u0435\u0442\u0432\u044a\u0440\u0442\u044a\u043a", + "OptionFriday": "\u041f\u0435\u0442\u044a\u043a", + "OptionSaturday": "\u0421\u044a\u0431\u043e\u0442\u0430", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0439\u043d\u0438 \u041f\u0430\u043f\u043a\u0438", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "\u0421\u0446\u0435\u043d\u0438", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "\u041f\u0443\u0441\u043d\u0438 \u0442\u0440\u0435\u0439\u043b\u044a\u0440\u0430", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u041f\u0440\u043e\u0436\u044a\u043b\u0436\u0438", + "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": "\u0414\u043e\u0431\u0430\u0432\u0438", + "ButtonRemove": "\u041f\u0440\u0435\u043c\u0430\u0445\u043d\u0438", "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.", - "HeaderUsers": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "\u041f\u0440\u043e\u0436\u044a\u043b\u0436\u0438", - "HeaderVideoError": "Video Error", + "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": "\u041d\u0430\u0438\u0441\u0442\u0438\u043d\u0430 \u043b\u0438 \u0438\u0441\u043a\u0430\u0442\u0435 \u0434\u0430 \u0440\u0435\u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u0442\u0435 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442?", + "MessageConfirmShutdown": "\u041d\u0430\u0438\u0441\u0442\u0438\u043d\u0430 \u043b\u0438 \u0438\u0441\u043a\u0430\u0442\u0435 \u0434\u0430 \u0441\u043f\u0440\u0435\u0442\u0435 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u041f\u0435\u0441\u043d\u0438", - "TabAlbums": "\u0410\u043b\u0431\u0443\u043c\u0438", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "\u041e\u043a", + "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438", + "ButtonRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "\u0421\u0446\u0435\u043d\u0438", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", + "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0439\u043d\u0438 \u041f\u0430\u043f\u043a\u0438", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "\u0412\u0440\u0435\u043c\u0435\u0442\u0440\u0430\u0435\u043d\u0435", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u0438\u0437\u0434\u0430\u0432\u0430\u043d\u0435", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "\u041f\u0440\u0438\u043a\u043b\u044e\u0447\u0438\u043b\u043e", + "OptionContinuing": "\u041f\u0440\u043e\u0434\u044a\u043b\u0436\u0430\u0432\u0430\u0449\u043e", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u044f, \u0447\u0435 \u043f\u043e\u0434\u043a\u0440\u0435\u043f\u0438\u0445\u0442\u0435 Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "\u0420\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0420\u0435\u0439\u0442\u0438\u043d\u0433", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u0412\u0440\u0435\u043c\u0435\u0442\u0440\u0430\u0435\u043d\u0435", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "\u041e\u043a", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "\u0421\u044a\u0440\u0432\u044a\u0440", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0442\u0430", + "TabAdvanced": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "\u0426\u044f\u043b \u0435\u043a\u0440\u0430\u043d", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "\u0410\u0443\u0434\u0438\u043e \u043f\u044a\u0442\u0435\u043a\u0430", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u0438\u0448\u043d\u0430 \u043f\u044a\u0442\u0435\u043a\u0430", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0432\u0430\u0449\u0430 \u043f\u044a\u0442\u0435\u043a\u0430", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "\u0424\u0438\u043b\u043c\u0438", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u044a\u0440\u0438", - "FolderTypeMovies": "\u0424\u0438\u043b\u043c\u0438", - "LabelCollection": "Collection", - "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", - "FolderTypeAdultVideos": "\u041a\u043b\u0438\u043f\u043e\u0432\u0435 \u0437\u0430 \u0432\u044a\u0437\u0440\u0430\u0441\u0442\u043d\u0438", - "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0432 \u041a\u043e\u043b\u0435\u043a\u0446\u0438\u044f\u0442\u0430", - "FolderTypePhotos": "\u0421\u043d\u0438\u043c\u043a\u0438", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "\u0420\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0420\u0435\u0439\u0442\u0438\u043d\u0433", - "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "\u0418\u0433\u0440\u0438", - "Users": "Users", - "ButtonRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "\u041f\u0440\u043e\u0434\u044a\u043b\u0436\u0430\u0432\u0430\u0449\u043e", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "\u041f\u0440\u0438\u043a\u043b\u044e\u0447\u0438\u043b\u043e", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "\u0418\u0437\u0431\u0435\u0440\u0438", + "ButtonNew": "\u041d\u043e\u0432", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "\u0418\u0437\u0431\u0435\u0440\u0438 \u043a\u043e\u043b\u0435\u043a\u0446\u0438\u044f:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "\u041d\u0435\u0434\u0435\u043b\u044f", + "LabelName": "\u0418\u043c\u0435:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "\u041f\u043e\u043d\u0435\u0434\u0435\u043b\u043d\u0438\u043a", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u0412\u0442\u043e\u0440\u043d\u0438\u043a", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "\u0421\u0440\u044f\u0434\u0430", + "ButtonView": "View", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", + "HeaderResolution": "Resolution", + "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "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": "\u0424\u0438\u043b\u043c\u0438", "OptionCollections": "Collections", - "DeleteUser": "Delete User", - "OptionThursday": "\u0427\u0435\u0442\u0432\u044a\u0440\u0442\u044a\u043a", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "\u041f\u0435\u0442\u044a\u043a", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "\u0421\u044a\u0431\u043e\u0442\u0430", + "OptionEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(\u043d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", - "ButtonSelect": "\u0418\u0437\u0431\u0435\u0440\u0438", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "\u041f\u043e\u0440\u0435\u0434\u0438\u0446\u0430", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "\u0421\u044a\u0440\u0432\u044a\u0440", - "TabSeries": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "\u041f\u043e\u0434\u043a\u0440\u0435\u043f\u0435\u0442\u0435 Emby \u041e\u0442\u0431\u043e\u0440\u044a\u0442", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "\u041d\u043e\u0432", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u0418\u043c\u0435:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "\u041f\u0440\u0435\u043c\u0430\u0445\u043d\u0438", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "\u0424\u0438\u043b\u043c\u0438", + "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", + "FolderTypeAdultVideos": "\u041a\u043b\u0438\u043f\u043e\u0432\u0435 \u0437\u0430 \u0432\u044a\u0437\u0440\u0430\u0441\u0442\u043d\u0438", + "FolderTypePhotos": "\u0421\u043d\u0438\u043c\u043a\u0438", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "FolderTypeGames": "\u0418\u0433\u0440\u0438", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "TV", + "TabMovies": "\u0424\u0438\u043b\u043c\u0438", + "TabSeries": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", + "TabEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", + "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u044a\u0440\u0438", + "TabGames": "\u0418\u0433\u0440\u0438", + "TabAlbums": "\u0410\u043b\u0431\u0443\u043c\u0438", + "TabSongs": "\u041f\u0435\u0441\u043d\u0438", + "TabMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "\u0418\u0437\u0442\u0440\u0438\u0439", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "\u0412\u0441\u0438\u0447\u043a\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "\u041f\u0443\u0441\u043d\u0438", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "\u0418\u0433\u0440\u0438", - "ButtonEdit": "\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0439", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "\u0418\u0437\u0442\u0440\u0438\u0439", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "\u0424\u0438\u043b\u043c\u0438", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "\u0422V \u043d\u0430 \u0436\u0438\u0432\u043e", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439 \u043d\u0430\u043e\u043a\u043e\u043b\u043e", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 ac8fff40f3..ceabbe4d29 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Configuraci\u00f3 guardada.", + "AddUser": "Afegir Usuari", + "Users": "Usuaris", + "Delete": "Esborrar", + "Administrator": "Administrador", + "Password": "Contrasenya", + "DeleteImage": "Esborrar Imatge", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Esteu segur que voleu suprimir aquesta imatge?", + "FileReadCancelled": "La lectura de l'arxiu ha estat cancel\u00b7lada.", + "FileNotFound": "Arxiu no trobat.", + "FileReadError": "S'ha produ\u00eft un error en llegir el fitxer.", + "DeleteUser": "Esborrar Usuari", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "La contrasenya s'ha restablert.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Esteu segur que voleu restablir la contrasenya?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "S'ha guardat la contrasenya.", + "PasswordMatchError": "Confirmaci\u00f3 de la contrasenya i la contrasenya han de coincidir.", + "OptionRelease": "Versi\u00f3 Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inestable)", + "UninstallPluginHeader": "Desinstal\u00b7lar Plugin.", + "UninstallPluginConfirmation": "Esteu segur que voleu desinstal\u00b7lar {0}?", + "NoPluginConfigurationMessage": "Aquest plugin no necessita configuraci\u00f3.", + "NoPluginsInstalledMessage": "No t\u00e9 cap plugin instal\u00b7lat.", + "BrowsePluginCatalogMessage": "Consulti el nostre cat\u00e0leg per veure els plugins disponibles.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Apagat", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "Enc\u00e8s", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Versi\u00f3 Oficial", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Inestable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Desinstal\u00b7lar Plugin.", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Esteu segur que voleu desinstal\u00b7lar {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Aquest plugin no necessita configuraci\u00f3.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "No t\u00e9 cap plugin instal\u00b7lat.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Consulti el nostre cat\u00e0leg per veure els plugins disponibles.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Apagat", + "OptionOn": "Enc\u00e8s", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Configuraci\u00f3 guardada.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Afegir Usuari", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Usuaris", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Esborrar", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrador", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Contrasenya", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Esborrar Imatge", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Esteu segur que voleu suprimir aquesta imatge?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "La lectura de l'arxiu ha estat cancel\u00b7lada.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Arxiu no trobat.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "S'ha produ\u00eft un error en llegir el fitxer.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Esborrar Usuari", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "La contrasenya s'ha restablert.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Esteu segur que voleu restablir la contrasenya?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "S'ha guardat la contrasenya.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Confirmaci\u00f3 de la contrasenya i la contrasenya han de coincidir.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 92a430f16c..03c6168fea 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Nastaven\u00ed ulo\u017eeno.", + "AddUser": "P\u0159idat u\u017eivatele", + "Users": "U\u017eivatel\u00e9", + "Delete": "Odstranit", + "Administrator": "Administr\u00e1tor", + "Password": "Heslo", + "DeleteImage": "Odstranit obr\u00e1zek", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Jste si jisti, \u017ee chcete odstranit tento obr\u00e1zek?", + "FileReadCancelled": "\u010cten\u00ed souboru bylo zru\u0161eno.", + "FileNotFound": "Soubor nebyl nalezen.", + "FileReadError": "Nastala chyba p\u0159i na\u010d\u00edt\u00e1n\u00ed souboru.", + "DeleteUser": "Odstranit u\u017eivatele", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "Heslo bylo obnoveno.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Jste si jisti, \u017ee chcete obnovit heslo?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Heslo ulo\u017eeno.", + "PasswordMatchError": "Heslo a potvrzen\u00ed hesla mus\u00ed souhlasit.", + "OptionRelease": "Ofici\u00e1ln\u00ed vyd\u00e1n\u00ed", + "OptionBeta": "Betaverze", + "OptionDev": "Dev (Nestabiln\u00ed\/V\u00fdvoj\u00e1\u0159sk\u00e1)", + "UninstallPluginHeader": "Odinstalovat plugin", + "UninstallPluginConfirmation": "Jste si jisti, \u017ee chcete odinstalovat {0}?", + "NoPluginConfigurationMessage": "Tento plugin nem\u00e1 nastaven\u00ed.", + "NoPluginsInstalledMessage": "Nem\u00e1te nainstalov\u00e1n \u017e\u00e1dn\u00fd plugin.", + "BrowsePluginCatalogMessage": "Prohl\u00e9dn\u011bte si n\u00e1\u0161 katalog, kde najdete dostupn\u00e9 pluginy.", + "MessageKeyEmailedTo": "Key emailed to {0}.", + "MessageKeysLinked": "Keys linked.", + "HeaderConfirmation": "Potvrzen\u00ed", + "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", + "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "\u017div\u00e1 TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "U\u017eivatel\u00e9", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Vyhled\u00e1v\u00e1n\u00ed", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Um\u011blec", + "LabelMovie": "Film", + "LabelMusicVideo": "Hudebn\u00ed video", + "LabelEpisode": "Epizoda", + "LabelSeries": "S\u00e9rie", + "LabelStopping": "Stopping", + "LabelCancelled": "(zru\u0161eno)", + "LabelFailed": "(ne\u00fasp\u011b\u0161n\u00e9)", + "ButtonHelp": "Help", + "ButtonSave": "Ulo\u017eit", + "ButtonDownload": "St\u00e1hnout", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "P\u0159idat do kolekce", + "NewCollectionNameExample": "P\u0159\u00edklad: Kolekce Star Wars", + "OptionSearchForInternetMetadata": "Prohledat internet pro nalezen\u00ed metadat a obalu.", + "LabelSelectCollection": "Vybrat kolekce:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "P\u0159\u00edklad: Kolekce Star Wars", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Prohledat internet pro nalezen\u00ed metadat a obalu.", - "ButtonUpdateNow": "Aktualizujte te\u010f", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Nahr\u00e1v\u00e1n\u00ed", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Dal\u0161\u00ed stopa", + "ButtonPause": "Pause", + "ButtonPlay": "P\u0159ehr\u00e1t", + "ButtonEdit": "Upravit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Chyba", + "ButtonPreviousTrack": "P\u0159edchod\u00ed stopa", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "Zobrazit notifikace", - "HeaderFavoriteAlbums": "Obl\u00edben\u00e1 alba", "ButtonMarkTheseRead": "Ozna\u010dit jako p\u0159e\u010dten\u00e9", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Zav\u0159\u00edt", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Epizody", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Smazat soubor", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "V\u0161echna nahr\u00e1v\u00e1n\u00ed", "RecommendationBecauseYouLike": "Proto\u017ee se v\u00e1m l\u00edb\u00ed {0}", - "HeaderDeleteFile": "Smazat soubor", - "ButtonAdd": "P\u0159idat", - "HeaderSubtitles": "Titulky", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Proto\u017ee jste sledovali {0}", - "StatusSkipped": "P\u0159esko\u010deno", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Re\u017e\u00edrov\u00e1no {0}", - "StatusFailed": "Chyba", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "\u00dasp\u011bch", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Hl\u00e1\u0161en\u00ed", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Vypnout", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "S\u00e9rie zru\u0161ena.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "Zapnout", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Ofici\u00e1ln\u00ed vyd\u00e1n\u00ed", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Betaverze", "ButonCancelRecording": "Zru\u0161it nahr\u00e1v\u00e1n\u00ed", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Um\u011blec", - "OptionDev": "Dev (Nestabiln\u00ed\/V\u00fdvoj\u00e1\u0159sk\u00e1)", "MessageRecordingSaved": "Nahr\u00e1van\u00ed ulo\u017eeno", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Odinstalovat plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Jste si jisti, \u017ee chcete odinstalovat {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Tento plugin nem\u00e1 nastaven\u00ed.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Nem\u00e1te nainstalov\u00e1n \u017e\u00e1dn\u00fd plugin.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Prohl\u00e9dn\u011bte si n\u00e1\u0161 katalog, kde najdete dostupn\u00e9 pluginy.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Dom\u016f", + "OptionSunday": "Ned\u011ble", + "OptionMonday": "Pond\u011bl\u00ed", + "OptionTuesday": "\u00dater\u00fd", + "OptionWednesday": "St\u0159eda", + "OptionThursday": "\u010ctvrtek", + "OptionFriday": "P\u00e1tek", + "OptionSaturday": "Sobota", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Nastaven\u00ed", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Slo\u017eky m\u00e9di\u00ed", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Sc\u00e9ny", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "P\u0159ehr\u00e1t uk\u00e1zku\/trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "HeaderConfirmDeletion": "Potvrdit smaz\u00e1n\u00ed", + "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", + "LiveTvUpdateAvailable": "(Aktualizace dostupn\u00e1)", + "LabelVersionUpToDate": "Aktu\u00e1ln\u00ed!", + "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": "Nahr\u00e1v\u00e1n\u00ed", + "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": "Chyba", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Pozastavit", + "HeaderMyViews": "My Views", + "HeaderLibraryFolders": "Slo\u017eky m\u00e9di\u00ed", + "HeaderLatestMedia": "Latest Media", + "ButtonMoreItems": "More...", + "ButtonMore": "More", + "HeaderFavoriteMovies": "Obl\u00edben\u00e9 filmy", + "HeaderFavoriteShows": "Obl\u00edben\u00e9 seri\u00e1ly", + "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": "P\u0159idat", + "ButtonRemove": "Odstranit", "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.", - "HeaderUsers": "U\u017eivatel\u00e9", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Pozastavit", - "HeaderVideoError": "Video Error", + "HeaderFavoriteAlbums": "Obl\u00edben\u00e1 alba", + "HeaderLatestChannelMedia": "Latest Channel Items", + "ButtonOrganizeFile": "Organize File", + "ButtonDeleteFile": "Smazat soubor", + "HeaderOrganizeFile": "Organize File", + "HeaderDeleteFile": "Smazat soubor", + "StatusSkipped": "P\u0159esko\u010deno", + "StatusFailed": "Chyba", + "StatusSuccess": "\u00dasp\u011bch", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Aktualizujte te\u010f", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Skladby", - "TabAlbums": "Alba", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Zru\u0161it", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "Otev\u0159\u00edt", + "ButtonOpenInNewTab": "Open in new tab", + "ButtonShuffle": "Shuffle", + "ButtonInstantMix": "Instant mix", + "ButtonResume": "Pokra\u010dovat", + "HeaderScenes": "Sc\u00e9ny", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Titulky", + "HeaderVideoQuality": "Video Quality", + "MessageErrorPlayingVideo": "There was an error playing the video.", + "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", + "ButtonHome": "Dom\u016f", + "ButtonDashboard": "Dashboard", + "ButtonReports": "Hl\u00e1\u0161en\u00ed", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Time", + "HeaderName": "N\u00e1zev", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Um\u011blec", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Kan\u00e1ly", + "HeaderMediaFolders": "Slo\u017eky m\u00e9di\u00ed", + "HeaderBlockItemsWithNoRating": "Block content with no rating information:", + "OptionBlockOthers": "Others", + "OptionBlockTvShows": "Televizn\u00ed po\u0159ady", + "OptionBlockTrailers": "Upout\u00e1vky", + "OptionBlockMusic": "Hudba", + "OptionBlockMovies": "Filmy", + "OptionBlockBooks": "Knihy", + "OptionBlockGames": "Hry", + "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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Hudebn\u00ed videa", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "D\u00e9lka", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Datum premi\u00e9ry.", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ukon\u010deno", + "OptionContinuing": "Pokra\u010dov\u00e1n\u00ed", + "OptionOff": "Vypnout", + "OptionOn": "Zapnout", + "ButtonSettings": "Nastaven\u00ed", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Obl\u00edben\u00e9 filmy", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Obl\u00edben\u00e9 seri\u00e1ly", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Rodi\u010dovsk\u00e9 hodnocen\u00ed", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "D\u00e9lka", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Slo\u017eky m\u00e9di\u00ed", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Zru\u0161it", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Pokro\u010dil\u00e9", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Cel\u00e1 obrazovka", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Sc\u00e9ny", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Titulky", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio stopy", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "P\u0159edchod\u00ed stopa", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Dal\u0161\u00ed stopa", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Filmy", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Uk\u00e1zky\/trailery", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "P\u0159idat do kolekce", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Nastaven\u00ed ulo\u017eeno.", - "OptionParentalRating": "Rodi\u010dovsk\u00e9 hodnocen\u00ed", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "P\u0159idat u\u017eivatele", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "U\u017eivatel\u00e9", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Otev\u0159\u00edt", - "FolderTypeBooks": "Books", - "Delete": "Odstranit", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Pokro\u010dil\u00e9", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administr\u00e1tor", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Heslo", - "ButtonNetwork": "Network", - "OptionContinuing": "Pokra\u010dov\u00e1n\u00ed", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ukon\u010deno", - "ButtonResume": "Pokra\u010dovat", + "ButtonSubtitles": "Titulky", + "ButtonScenes": "Sc\u00e9ny", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Vybrat", + "ButtonNew": "Nov\u00e9", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Odstranit obr\u00e1zek", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Vybrat kolekce:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Jste si jisti, \u017ee chcete odstranit tento obr\u00e1zek?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Ned\u011ble", + "LabelName": "Jm\u00e9no:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "\u010cten\u00ed souboru bylo zru\u0161eno.", - "OptionMonday": "Pond\u011bl\u00ed", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Soubor nebyl nalezen.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u00dater\u00fd", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Nastala chyba p\u0159i na\u010d\u00edt\u00e1n\u00ed souboru.", - "HeaderName": "N\u00e1zev", - "OptionWednesday": "St\u0159eda", + "ButtonView": "View", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "Zvuk", + "HeaderResolution": "Resolution", + "HeaderVideo": "Video", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "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": "Filmy", "OptionCollections": "Collections", - "DeleteUser": "Odstranit u\u017eivatele", - "OptionThursday": "\u010ctvrtek", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "P\u00e1tek", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Sobota", + "OptionEpisodes": "Episody", "OptionGames": "Games", - "PasswordResetComplete": "Heslo bylo obnoveno.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Jste si jisti, \u017ee chcete obnovit heslo?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Heslo ulo\u017eeno.", - "HeaderAudio": "Zvuk", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Heslo a potvrzen\u00ed hesla mus\u00ed souhlasit.", - "HeaderResolution": "Resolution", - "LabelFailed": "(ne\u00fasp\u011b\u0161n\u00e9)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Vybrat", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Ulo\u017eit", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "S\u00e9rie", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Kan\u00e1ly", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "St\u00e1hnout", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "S\u00e9rie", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Nov\u00e9", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Jm\u00e9no:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Odstranit", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmy", + "TabSeries": "S\u00e9rie", + "TabEpisodes": "Epizody", + "TabTrailers": "Uk\u00e1zky\/trailery", + "TabGames": "Hry", + "TabAlbums": "Alba", + "TabSongs": "Skladby", + "TabMusicVideos": "Hudebn\u00ed videa", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Odstranit", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "Televizn\u00ed po\u0159ady", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Upout\u00e1vky", - "OptionBlockMusic": "Hudba", - "OptionBlockMovies": "Filmy", - "HeaderAllRecordings": "V\u0161echna nahr\u00e1v\u00e1n\u00ed", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Knihy", - "ButtonPlay": "P\u0159ehr\u00e1t", - "OptionBlockGames": "Hry", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Hry", - "ButtonEdit": "Upravit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Potvrzen\u00ed", - "ButtonDelete": "Odstranit", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Filmy", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Vyhled\u00e1v\u00e1n\u00ed", - "OptionEpisodes": "Episody", - "LabelArtist": "Um\u011blec", - "LabelMovie": "Film", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Hudebn\u00ed video", - "LabelEpisode": "Epizoda", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(zru\u0161eno)", - "MessageSeriesCancelled": "S\u00e9rie zru\u0161ena.", - "HeaderConfirmDeletion": "Potvrdit smaz\u00e1n\u00ed", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Aktualizace dostupn\u00e1)", - "TitleLiveTV": "\u017div\u00e1 TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Aktu\u00e1ln\u00ed!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Epizody", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Epizody", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 c9af3de345..b10c842174 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Indstillinger er gemt", + "AddUser": "Tilf\u00f8j bruger", + "Users": "Brugere", + "Delete": "Slet", + "Administrator": "Administrator", + "Password": "Adgangskode", + "DeleteImage": "Slet billede", + "MessageThankYouForSupporting": "Tak for at du st\u00f8tter Emby.", + "MessagePleaseSupportProject": "V\u00e6r venlig at st\u00f8tte Emby.", + "DeleteImageConfirmation": "Er du sikker p\u00e5 du vil slette dette billede?", + "FileReadCancelled": "L\u00e6sning af filen er annulleret.", + "FileNotFound": "Filen blev ikke fundet.", + "FileReadError": "Der opstod en fejl i fors\u00f8get p\u00e5 at l\u00e6se filen.", + "DeleteUser": "Slet bruger.", + "DeleteUserConfirmation": "Er du sikker p\u00e5 du \u00f8nsker at slette denne bruger?", + "PasswordResetHeader": "Nulstil adgangskode", + "PasswordResetComplete": "Adgangskoden er blevet nulstillet.", + "PinCodeResetComplete": "Pinkoden er blevet nulstillet.", + "PasswordResetConfirmation": "Er du sikker p\u00e5 at adgangskoden skal nulstilles?", + "PinCodeResetConfirmation": "Er du sikker p\u00e5 at pinkoden skal nulstilles?", + "HeaderPinCodeReset": "Nulstil pinkode", + "PasswordSaved": "Adgangskoden er gemt.", + "PasswordMatchError": "Adgangskode og bekr\u00e6ft adgangskode skal v\u00e6re ens.", + "OptionRelease": "Officiel udgivelse", + "OptionBeta": "Beta", + "OptionDev": "Dev (Ustabil)", + "UninstallPluginHeader": "Afinstaller plugin", + "UninstallPluginConfirmation": "Er du sikker p\u00e5 du vil afinstallere {0}?", + "NoPluginConfigurationMessage": "Der er ingenting at konfigurere i dette plugin.", + "NoPluginsInstalledMessage": "Der er ikke installeret nogle plugins.", + "BrowsePluginCatalogMessage": "Gennemse vores plugin-katalog for at se tilg\u00e6ngelige plugins.", + "MessageKeyEmailedTo": "N\u00f8gle sendt med e-mail til {0}.", + "MessageKeysLinked": "N\u00f8gler sammenknyttet.", + "HeaderConfirmation": "Bekr\u00e6ftelse", + "MessageKeyUpdated": "Tak. Din supporter n\u00f8gle er nu opdateret.", + "MessageKeyRemoved": "Tak. Din supporter n\u00f8gle er fjernet.", + "HeaderSupportTheTeam": "St\u00f8t Emby-holdet", + "TextEnjoyBonusFeatures": "F\u00e5 bonus funktioner", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "V\u00e6lg dato", + "ButtonDonate": "Don\u00e9r", + "LabelRecurringDonationCanBeCancelledHelp": "Tilbagevendende donationer kan afmeldes n\u00e5r som helst fra din PayPal konto.", + "HeaderMyMedia": "Mine medier", + "TitleNotifications": "Underretninger", + "ErrorLaunchingChromecast": "Der opstod en fejl ved start af cromecast. Tjek venligst at din enhed er forbundet til det tr\u00e5dl\u00f8se netv\u00e6rk.", + "MessageErrorLoadingSupporterInfo": "Det opstod en fejl ved indl\u00e6sning at supporter information. Pr\u00f8v igen senere.", + "MessageLinkYourSupporterKey": "Sammenk\u00e6d din supporter n\u00f8gle med op til {0} Emby Connect medlemmer for at f\u00e5 gratis adgang til disse apps:", + "HeaderConfirmRemoveUser": "Fjern bruger", + "MessageSwipeDownOnRemoteControl": "Velkommen til fjernstyring. V\u00e6lg hvilken enhed du vil styre ved at klikke cast ikonet i \u00f8verste h\u00f8jre hj\u00f8rne. Tr\u00e6k ned hvor som helst p\u00e5 sk\u00e6rmen for at g\u00e5 tilbage til hvor du kom fra.", + "MessageConfirmRemoveConnectSupporter": "Er du sikker p\u00e5 at du vil fjerne supporter fordelene fra denne bruger?", + "ValueTimeLimitSingleHour": "Tidsbegr\u00e6nsning: 1 time", + "ValueTimeLimitMultiHour": "Tidsbegr\u00e6nsning: {0} timer", + "HeaderUsers": "Brugere", + "PluginCategoryGeneral": "Generelt", + "PluginCategoryContentProvider": "Indholdsydbydere", + "PluginCategoryScreenSaver": "Pausesk\u00e6rme", + "PluginCategoryTheme": "Temaer", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Sociale netv\u00e6rk", + "PluginCategoryNotifications": "Underretninger", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Kanaler", + "HeaderSearch": "S\u00f8g", + "ValueDateCreated": "Oprettelsesdato: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Film", + "LabelMusicVideo": "Musikvideo", + "LabelEpisode": "Episode", + "LabelSeries": "Serier", + "LabelStopping": "Standser", + "LabelCancelled": "(annulleret)", + "LabelFailed": "(fejlede)", + "ButtonHelp": "Hj\u00e6lp", + "ButtonSave": "Gem", + "ButtonDownload": "Hent", + "SyncJobStatusQueued": "Sat i k\u00f8", + "SyncJobStatusConverting": "Konverterer", + "SyncJobStatusFailed": "Fejlet", + "SyncJobStatusCancelled": "Annuleret", + "SyncJobStatusCompleted": "Synkroniseret", + "SyncJobStatusReadyToTransfer": "Klar til overf\u00f8rsel", + "SyncJobStatusTransferring": "Overf\u00f8rer", + "SyncJobStatusCompletedWithError": "Synkroniseret med fejl", + "SyncJobItemStatusReadyToTransfer": "Klar til overf\u00f8rsel", + "LabelCollection": "Samling", + "HeaderAddToCollection": "Tilf\u00f8j til samling", + "NewCollectionNameExample": "Eksempel: Star Wars samling", + "OptionSearchForInternetMetadata": "S\u00f8g p\u00e5 internettet efter billeder og metadata", + "LabelSelectCollection": "V\u00e6lg samling:", + "HeaderDevices": "Enheder", + "ButtonScheduledTasks": "Planlagte opgaver", + "MessageItemsAdded": "Elementer tilf\u00f8jet", + "ButtonAddToCollection": "Tilf\u00f8j til samling", + "HeaderSelectCertificatePath": "V\u00e6lg certifikatsti", + "ConfirmMessageScheduledTaskButton": "Denne operation k\u00f8rer normalt som en planlagt opgave. Den kan ogs\u00e5 k\u00f8res manuelt her. For at konfigurere den planlage opgave, se:", + "HeaderSupporterBenefit": "Med et supporter medlemskab opn\u00e5r du ekstra fordele s\u00e5 som adgang til sync, premium plugins, internet kanaler samt meget mere. {0}L\u00e6r mere{1}.", + "LabelSyncNoTargetsHelp": "Det ser ud til at du for \u00f8jeblikket ikke har nogle enheder ser underst\u00f8tter sync.", + "HeaderWelcomeToProjectServerDashboard": "Velkommen til Emby betjeningspanel", + "HeaderWelcomeToProjectWebClient": "Velkommen til Emby", + "ButtonTakeTheTour": "Vis introduktion", + "HeaderWelcomeBack": "Velkommen tilbage!", + "TitlePlugins": "Tilf\u00f8jelser", + "ButtonTakeTheTourToSeeWhatsNew": "Tag en rundvisning for at se hvad der er nyt", + "MessageNoSyncJobsFound": "Intet sync job blev fundet. Opret sync jobs ved at benytte Sync knapper som findes gennem web-interfacet.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Adgang til biblioteker", + "HeaderChannelAccess": "Adgang til kanaler", + "HeaderDeviceAccess": "Enhedsadgang", + "HeaderSelectDevices": "V\u00e6lg enheder", + "ButtonCancelItem": "Annuller genstand", + "ButtonQueueForRetry": "S\u00e6t et nyt fors\u00f8g i k\u00f8", + "ButtonReenable": "Genaktiver", + "ButtonLearnMore": "L\u00e6r mere", + "SyncJobItemStatusSyncedMarkForRemoval": "Markeret til sletning", + "LabelAbortedByServerShutdown": "(Annulleret grundet server nedlukning)", + "LabelScheduledTaskLastRan": "Sidst k\u00f8rt {0}, og tog {1}.", + "HeaderDeleteTaskTrigger": "Slet Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Genstart", "MessageDeleteTaskTrigger": "Er du sikker p\u00e5 du \u00f8nsker at slette denne task trigger?", - "HeaderResetTuner": "Reset tuner", - "NewCollectionNameExample": "Eksempel: Star Wars samling", "MessageNoPluginsInstalled": "Du har ingen plugins installeret.", - "MessageConfirmResetTuner": "Er du sikker p\u00e5 du \u00f8nsker at resette denne tuner? Alle aktive afspilninger eller optagelser vil stoppe pludseligt.", - "OptionSearchForInternetMetadata": "S\u00f8g p\u00e5 internettet efter billeder og metadata", - "ButtonUpdateNow": "Opdater nu", "LabelVersionInstalled": "{0} installeret", - "ButtonCancelSeries": "Annuller serie", "LabelNumberReviews": "{0} Anmeldelser", - "LabelAllChannels": "Alle kanaler", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Serieoptagelser", + "HeaderPlaybackError": "Fejl i afspilning", + "MessagePlaybackErrorNotAllowed": "Du er p\u00e5 nuv\u00e6rende tidspunkt ikke autoriseret til at afspille dette indhold. Kontakt venligst din systemadministrator for flere detaljer.", + "MessagePlaybackErrorNoCompatibleStream": "Ingen kompatible streams er tilg\u00e6ngelige p\u00e5 nuv\u00e6rende tidspunkt. Pr\u00f8v igen senere eller kontakt din systemadministrator for flere detaljer.", + "MessagePlaybackErrorRateLimitExceeded": "Din afspilningskvote er blevet overskredet. Kontakt venligst din systemadministrator for flere detaljer.", + "MessagePlaybackErrorPlaceHolder": "Det valgte indhold kan ikke afspilles fra denne enhed.", "HeaderSelectAudio": "V\u00e6lg lydspor", - "LabelAnytime": "Alle tidspunkter", "HeaderSelectSubtitles": "V\u00e6lg undertekster", - "StatusRecording": "Optagelse", + "ButtonMarkForRemoval": "Fjern fra enhed", + "ButtonUnmarkForRemoval": "Annuller fjernelse fra enhed", "LabelDefaultStream": "(Standard)", - "StatusWatching": "Ser", "LabelForcedStream": "(Tvungen)", - "StatusRecordingProgram": "Optager {0}", "LabelDefaultForcedStream": "(Standard\/Tvungen)", - "StatusWatchingProgram": "Ser {0}", "LabelUnknownLanguage": "Ukendt sprog", - "ButtonQueue": "K\u00f8", + "MessageConfirmSyncJobItemCancellation": "Er du sikker p\u00e5 du \u00f8nsker at annullere denne genstand?", + "ButtonMute": "Lyd fra", "ButtonUnmute": "Sl\u00e5 lyd til", - "LabelSyncNoTargetsHelp": "Det ser ud til at du for \u00f8jeblikket ikke har nogle enheder ser underst\u00f8tter sync.", - "HeaderSplitMedia": "Opsplit medie", + "ButtonStop": "Stop", + "ButtonNextTrack": "N\u00e6ste spor", + "ButtonPause": "Pause", + "ButtonPlay": "Afspil", + "ButtonEdit": "Rediger", + "ButtonQueue": "K\u00f8", "ButtonPlaylist": "Afspilningsliste", - "MessageConfirmSplitMedia": "Er du sikker p\u00e5 du \u00f8nsker at opsplitte mediekilderne til separate klilder?", - "HeaderError": "Fejl", + "ButtonPreviousTrack": "Forrige spor", "LabelEnabled": "Sl\u00e5et til", - "HeaderSupporterBenefit": "Med et supporter medlemskab opn\u00e5r du ekstra fordele s\u00e5 som adgang til sync, premium plugins, internet kanaler samt meget mere. {0}L\u00e6r mere{1}.", "LabelDisabled": "Sl\u00e5et fra", - "MessageTheFollowingItemsWillBeGrouped": "F\u00f8lgende elementer vil blive grupperet til et element:", "ButtonMoreInformation": "Mere information", - "MessageConfirmItemGrouping": "Emby apps vil automatisk fors\u00f8ge at afspille den optimale version baseret p\u00e5 enheden og netv\u00e6rksydelse. Er du sikker p\u00e5 du \u00f8nsker at forts\u00e6tte?", "LabelNoUnreadNotifications": "Ingen ul\u00e6ste notifikationer", "ButtonViewNotifications": "Se notifikationer", - "HeaderFavoriteAlbums": "Favoritalbums", "ButtonMarkTheseRead": "Marker disse som l\u00e6st", - "HeaderLatestChannelMedia": "Seneste kanalenheder", "ButtonClose": "Luk", - "ButtonOrganizeFile": "Organiser fil", - "ButtonLearnMore": "L\u00e6r mere", - "TabEpisodes": "Episoder", "LabelAllPlaysSentToPlayer": "Alle afspilninger vil blive sendt til den valgte afspiller.", - "ButtonDeleteFile": "Slet fil", "MessageInvalidUser": "Ukendt brugernavn eller adgangskode. Pr\u00f8v igen.", - "HeaderOrganizeFile": "Organiser fil", - "HeaderAudioTracks": "Lydspor", + "HeaderLoginFailure": "Login fejl", + "HeaderAllRecordings": "Alle optagelser", "RecommendationBecauseYouLike": "Fordi du kan lide {0}", - "HeaderDeleteFile": "Slet fil", - "ButtonAdd": "Tilf\u00f8j", - "HeaderSubtitles": "Undertekster", - "ButtonView": "Visning", "RecommendationBecauseYouWatched": "Fordi du har set {0}", - "StatusSkipped": "Oversprunget", - "HeaderVideoQuality": "Videokvalitet", "RecommendationDirectedBy": "Instrueret af {0}", - "StatusFailed": "Fejlet", - "MessageErrorPlayingVideo": "Der opstod en fejl under afspilning af videoen.", "RecommendationStarring": "Hovedrolleindehavere {0}", - "StatusSuccess": "Succes", - "MessageEnsureOpenTuner": "Sikre dig at en \u00e5ben tuner er tilg\u00e6ngelig.", "HeaderConfirmRecordingCancellation": "Bekr\u00e6ft annullering af optagelse", - "MessageFileWillBeDeleted": "Den f\u00f8lgende fil vil blive slettet:", - "ButtonDashboard": "Betjeningspanel", "MessageConfirmRecordingCancellation": "Er du sikker p\u00e5 du \u00f8nsker at annullere denne optagelse?", - "MessageSureYouWishToProceed": "\u00d8nsker du at forts\u00e6tte?", - "ButtonHelp": "Hj\u00e6lp", - "ButtonReports": "Rapporter", - "HeaderUnrated": "Ingen bed\u00f8mmelse", "MessageRecordingCancelled": "Optagelse annulleret.", - "MessageDuplicatesWillBeDeleted": "Derudover vil f\u00f8lgende duplikater blive slettet:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disk {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Bekr\u00e6ft annullering af serie", + "MessageConfirmSeriesCancellation": "Er du sikker p\u00e5 du \u00f8nsker at annullere denne serie?", + "MessageSeriesCancelled": "Serie annulleret.", "HeaderConfirmRecordingDeletion": "Bekr\u00e6ft sletning af optagelse", - "MessageFollowingFileWillBeMovedFrom": "Den f\u00f8lgende fil vil blive flyttet fra:", - "HeaderTime": "Tid", - "HeaderUnknownDate": "Ukendt dato", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Er du sikker p\u00e5 du \u00f8nsker at slette denne optagelse?", - "MessageDestinationTo": "til:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Ukendt \u00e5r", - "OptionRelease": "Officiel udgivelse", "MessageRecordingDeleted": "Optagelse slettet.", - "HeaderSelectWatchFolder": "V\u00e6lg en Watch Folder", - "HeaderAlbumArtist": "Album kunstner", - "HeaderMyViews": "Mine visninger", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Annuller optagelse", - "HeaderSelectWatchFolderHelp": "V\u00e6lg eller indtast stien til din \"watch folder\". Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Ustabil)", "MessageRecordingSaved": "Optagelse gemt.", - "OrganizePatternResult": "Resultat: {0}", - "HeaderLatestTvRecordings": "Seneste optagelser", - "UninstallPluginHeader": "Afinstaller plugin", - "ButtonMute": "Lyd fra", - "HeaderRestart": "Genstart", - "UninstallPluginConfirmation": "Er du sikker p\u00e5 du vil afinstallere {0}?", - "HeaderShutdown": "Luk", - "NoPluginConfigurationMessage": "Der er ingenting at konfigurere i dette plugin.", - "MessageConfirmRestart": "Er du sikker p\u00e5 du \u00f8nsker at genstarte Emby?", - "MessageConfirmRevokeApiKey": "Er du sikker p\u00e5 du \u00f8nsker at invalidere denne api n\u00f8gle? Applikationens forbindelse til Emby vil blive afbrudt \u00f8jeblikkeligt.", - "NoPluginsInstalledMessage": "Der er ikke installeret nogle plugins.", - "MessageConfirmShutdown": "Er du sikker p\u00e5 du \u00f8nsker at lukke Emby?", - "HeaderConfirmRevokeApiKey": "Invalider Api n\u00f8gle", - "BrowsePluginCatalogMessage": "Gennemse vores plugin-katalog for at se tilg\u00e6ngelige plugins.", - "NewVersionOfSomethingAvailable": "En ny version af {0} er tilg\u00e6ngelig!", - "VersionXIsAvailableForDownload": "Version {0} kan nu downloades.", - "TextEnjoyBonusFeatures": "F\u00e5 bonus funktioner", - "ButtonHome": "Hjem", + "OptionSunday": "S\u00f8ndag", + "OptionMonday": "Mandag", + "OptionTuesday": "Tirsdag", + "OptionWednesday": "Onsdag", + "OptionThursday": "Torsdag", + "OptionFriday": "Fredag", + "OptionSaturday": "L\u00f8rdag", + "OptionEveryday": "Hver dag", "OptionWeekend": "Weekender", - "ButtonSettings": "Indstillinger", "OptionWeekday": "Hverdage", - "OptionEveryday": "Hver dag", - "HeaderMediaFolders": "Mediemapper", - "ValueDateCreated": "Oprettelsesdato: {0}", - "MessageItemsAdded": "Elementer tilf\u00f8jet", - "HeaderScenes": "Scener", - "HeaderNotifications": "Notifikationer", - "HeaderSelectPlayer": "V\u00e6lg afspiller:", - "ButtonAddToCollection": "Tilf\u00f8j til samling", - "HeaderSelectCertificatePath": "V\u00e6lg certifikatsti", - "LabelBirthDate": "F\u00f8dselsdato:", - "HeaderSelectPath": "V\u00e6lg sti", - "ButtonPlayTrailer": "Afspil trailer", - "HeaderLibraryAccess": "Adgang til biblioteker", - "HeaderChannelAccess": "Adgang til kanaler", - "MessageChromecastConnectionError": "Din Chromecast modtager kan ikke forbinde til din Emby Server. Tjek venligst deres forbindelse og pr\u00f8v igen.", - "TitleNotifications": "Underretninger", - "MessageChangeRecurringPlanConfirm": "Efter denne transaktion er udf\u00f8rt skal du afmelde din tidligere l\u00f8bende donation inde fra din PayPal konto. Tak fordi du st\u00f8tter Emby.", - "MessageSupporterMembershipExpiredOn": "Dit supporter medlemskab udl\u00f8b den {0}.", - "MessageYouHaveALifetimeMembership": "Du har et livstidsmedlemskab. Du kan give yderligere donationer via en engangsydelse eller p\u00e5 l\u00f8bende basis ved at benytte mulighederne nedenfor. Tak fordi du st\u00f8tter Emby.", - "SyncJobStatusConverting": "Konverterer", - "MessageYouHaveAnActiveRecurringMembership": "Du har et aktivt {0} medlemsskab. Du kan opgradere dette via mulighederne nedenfor.", - "SyncJobStatusFailed": "Fejlet", - "SyncJobStatusCancelled": "Annuleret", - "SyncJobStatusTransferring": "Overf\u00f8rer", - "FolderTypeUnset": "Ikke valgt (blandet indhold)", + "HeaderConfirmDeletion": "Bekr\u00e6ft sletning", + "MessageConfirmPathSubstitutionDeletion": "Er du sikker p\u00e5 du \u00f8nsker at slette denne stisubstitution?", + "LiveTvUpdateAvailable": "(Opdatering tilg\u00e6ngelig)", + "LabelVersionUpToDate": "Opdateret!", + "ButtonResetTuner": "Reset tuner", + "HeaderResetTuner": "Reset tuner", + "MessageConfirmResetTuner": "Er du sikker p\u00e5 du \u00f8nsker at resette denne tuner? Alle aktive afspilninger eller optagelser vil stoppe pludseligt.", + "ButtonCancelSeries": "Annuller serie", + "HeaderSeriesRecordings": "Serieoptagelser", + "LabelAnytime": "Alle tidspunkter", + "StatusRecording": "Optagelse", + "StatusWatching": "Ser", + "StatusRecordingProgram": "Optager {0}", + "StatusWatchingProgram": "Ser {0}", + "HeaderSplitMedia": "Opsplit medie", + "MessageConfirmSplitMedia": "Er du sikker p\u00e5 du \u00f8nsker at opsplitte mediekilderne til separate klilder?", + "HeaderError": "Fejl", + "MessageChromecastConnectionError": "Din Chromecast modtager kan ikke forbinde til din Emby Server. Tjek venligst deres forbindelse og pr\u00f8v igen.", + "MessagePleaseSelectOneItem": "V\u00e6lg venligst mindst \u00e9t element.", + "MessagePleaseSelectTwoItems": "V\u00e6lg venligst mindst to elementer.", + "MessageTheFollowingItemsWillBeGrouped": "F\u00f8lgende elementer vil blive grupperet til et element:", + "MessageConfirmItemGrouping": "Emby apps vil automatisk fors\u00f8ge at afspille den optimale version baseret p\u00e5 enheden og netv\u00e6rksydelse. Er du sikker p\u00e5 du \u00f8nsker at forts\u00e6tte?", + "HeaderResume": "Fors\u00e6t", + "HeaderMyViews": "Mine visninger", + "HeaderLibraryFolders": "Mediemapper", + "HeaderLatestMedia": "Seneste medier", + "ButtonMoreItems": "Mere...", + "ButtonMore": "Mere", + "HeaderFavoriteMovies": "Favorit film", + "HeaderFavoriteShows": "Favorit serier", + "HeaderFavoriteEpisodes": "Favorit episoder", + "HeaderFavoriteGames": "Favorit spil", + "HeaderRatingsDownloads": "Bed\u00f8mmelser \/ Downloads", + "HeaderConfirmProfileDeletion": "Bekr\u00e6ft sletning af profil", + "MessageConfirmProfileDeletion": "Er du sikker p\u00e5 du \u00f8nsker at slette denne profil?", + "HeaderSelectServerCachePath": "V\u00e6lg \"Server Cache Path\"", + "HeaderSelectTranscodingPath": "V\u00e6lg \"Transcoding Temporary Path\"", + "HeaderSelectImagesByNamePath": "V\u00e6lg billeder efter navn-sti:", + "HeaderSelectMetadataPath": "V\u00e6lg Metadata Path", + "HeaderSelectServerCachePathHelp": "V\u00e6lg eller indtast stien som skal benyttes til serverens cache filer. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "HeaderSelectTranscodingPathHelp": "V\u00e6lg eller indtast stien som skal benyttes til midlertidige transkodningsfiler. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "HeaderSelectImagesByNamePathHelp": "V\u00e6lg eller indtast stien som f\u00f8rer til mappen med dine elmenter per navn. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "HeaderSelectMetadataPathHelp": "V\u00e6lg eller indtast stien for hvor du \u00f8nsker at gemme din metadata. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "HeaderSelectChannelDownloadPath": "V\u00e6lg sti for hentning af kanalindhold", + "HeaderSelectChannelDownloadPathHelp": "V\u00e6lg eller indtast stien for hvor du \u00f8nsker at gemme kanalindholds cache filer. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "OptionNewCollection": "Ny...", + "ButtonAdd": "Tilf\u00f8j", + "ButtonRemove": "Fjern", "LabelChapterDownloaders": "Kapitel downloadere:", "LabelChapterDownloadersHelp": "Aktiver og ranger dine fortrukne kapitel downloadere i en prioriteret r\u00e6kkef\u00f8lge. Lavt rangerende downloadere bliver kun benyttet til at udfylde manglende information.", - "HeaderUsers": "Brugere", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For at opn\u00e5 de bedste resultater med Internet Explorer bedes du installere WebM afspilningstilf\u00f8jelsen.", - "HeaderResume": "Fors\u00e6t", - "HeaderVideoError": "Video fejl", + "HeaderFavoriteAlbums": "Favoritalbums", + "HeaderLatestChannelMedia": "Seneste kanalenheder", + "ButtonOrganizeFile": "Organiser fil", + "ButtonDeleteFile": "Slet fil", + "HeaderOrganizeFile": "Organiser fil", + "HeaderDeleteFile": "Slet fil", + "StatusSkipped": "Oversprunget", + "StatusFailed": "Fejlet", + "StatusSuccess": "Succes", + "MessageFileWillBeDeleted": "Den f\u00f8lgende fil vil blive slettet:", + "MessageSureYouWishToProceed": "\u00d8nsker du at forts\u00e6tte?", + "MessageDuplicatesWillBeDeleted": "Derudover vil f\u00f8lgende duplikater blive slettet:", + "MessageFollowingFileWillBeMovedFrom": "Den f\u00f8lgende fil vil blive flyttet fra:", + "MessageDestinationTo": "til:", + "HeaderSelectWatchFolder": "V\u00e6lg en Watch Folder", + "HeaderSelectWatchFolderHelp": "V\u00e6lg eller indtast stien til din \"watch folder\". Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", + "OrganizePatternResult": "Resultat: {0}", + "HeaderRestart": "Genstart", + "HeaderShutdown": "Luk", + "MessageConfirmRestart": "Er du sikker p\u00e5 du \u00f8nsker at genstarte Emby?", + "MessageConfirmShutdown": "Er du sikker p\u00e5 du \u00f8nsker at lukke Emby?", + "ButtonUpdateNow": "Opdater nu", + "ValueItemCount": "{0} elment", + "ValueItemCountPlural": "{0} elementer", + "NewVersionOfSomethingAvailable": "En ny version af {0} er tilg\u00e6ngelig!", + "VersionXIsAvailableForDownload": "Version {0} kan nu downloades.", + "LabelVersionNumber": "Version {0}", + "LabelPlayMethodTranscoding": "Transkoding", + "LabelPlayMethodDirectStream": "Direkte streaming", + "LabelPlayMethodDirectPlay": "Direkte afspilning", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Lyd: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Lokal adgang: {0}", + "LabelRemoteAccessUrl": "Fjernadgang: {0}", + "LabelRunningOnPort": "K\u00f8rer p\u00e5 http port {0}.", + "LabelRunningOnPorts": "K\u00f8rer p\u00e5 http port {0}, og https port {1}.", + "HeaderLatestFromChannel": "Seneste fra {0}", + "LabelUnknownLanaguage": "Ukendt sprog", + "HeaderCurrentSubtitles": "Nuv\u00e6rende undertekster", + "MessageDownloadQueued": "Downloadet er sat i k\u00f8.", + "MessageAreYouSureDeleteSubtitles": "Er du sikker p\u00e5 du \u00f8nsker at slette denne undertekstfil?", "ButtonRemoteControl": "Fjernstyring", - "TabSongs": "Sange", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "Du er registreret til at benytte denne funktion, og kan blive ved med at benytte den under foruds\u00e6tning af et aktivt supporter medlemsskab.", + "HeaderLatestTvRecordings": "Seneste optagelser", + "ButtonOk": "Ok", + "ButtonCancel": "Annuller", + "ButtonRefresh": "Opdater", + "LabelCurrentPath": "Nuv\u00e6rende sti:", + "HeaderSelectMediaPath": "V\u00e6lg mediesti", + "HeaderSelectPath": "V\u00e6lg sti", + "ButtonNetwork": "Netv\u00e6rk", + "MessageDirectoryPickerInstruction": "Netv\u00e6rksstier kan indtastes manuelt i tilf\u00e6lde af at netv\u00e6rksknappen ikke kan lokalisere dine enheder. Foreksempel, {0} eller {1}.", + "HeaderMenu": "Menu", + "ButtonOpen": "\u00c5ben", + "ButtonOpenInNewTab": "\u00c5ben i ny fane", + "ButtonShuffle": "Bland", + "ButtonInstantMix": "Instant Mix", + "ButtonResume": "Genoptag", + "HeaderScenes": "Scener", + "HeaderAudioTracks": "Lydspor", + "HeaderLibraries": "Bibliotekter", + "HeaderSubtitles": "Undertekster", + "HeaderVideoQuality": "Videokvalitet", + "MessageErrorPlayingVideo": "Der opstod en fejl under afspilning af videoen.", + "MessageEnsureOpenTuner": "Sikre dig at en \u00e5ben tuner er tilg\u00e6ngelig.", + "ButtonHome": "Hjem", + "ButtonDashboard": "Betjeningspanel", + "ButtonReports": "Rapporter", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Tid", + "HeaderName": "Navn", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album kunstner", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Tilf\u00f8jet {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Kanaler", + "HeaderMediaFolders": "Mediemapper", + "HeaderBlockItemsWithNoRating": "Bloker indhold uden bed\u00f8mmelser:", + "OptionBlockOthers": "Andre", + "OptionBlockTvShows": "TV serier", + "OptionBlockTrailers": "Trailere", + "OptionBlockMusic": "Musik", + "OptionBlockMovies": "Film", + "OptionBlockBooks": "B\u00f8ger", + "OptionBlockGames": "Spil", + "OptionBlockLiveTvPrograms": "Live TV-programmer", + "OptionBlockLiveTvChannels": "Live TV-kanaler", + "OptionBlockChannelContent": "Internet kanalindhold", + "ButtonRevoke": "Invalider", + "MessageConfirmRevokeApiKey": "Er du sikker p\u00e5 du \u00f8nsker at invalidere denne api n\u00f8gle? Applikationens forbindelse til Emby vil blive afbrudt \u00f8jeblikkeligt.", + "HeaderConfirmRevokeApiKey": "Invalider Api n\u00f8gle", "ValueContainer": "Beholder: {0}", "ValueAudioCodec": "Audio codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Musikvideoer", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Seneste anmeldeser", - "HeaderDevices": "Enheder", "ValueConditions": "Forhold: {0}", - "HeaderPluginInstallation": "Plugin installation", "LabelAll": "Alle", - "MessageAlreadyInstalled": "Denne version er allerede installeret.", "HeaderDeleteImage": "Slet billede", - "ValueReviewCount": "{0} Anmeldelser", "MessageFileNotFound": "Fil blev ikke fundet.", - "MessageYouHaveVersionInstalled": "Du har version {0} installeret.", "MessageFileReadError": "Der opstod en fejl i fors\u00f8get p\u00e5 at l\u00e6se filen.", - "MessageTrialExpired": "Pr\u00f8veperioden for denne funktion er udl\u00f8bet", "ButtonNextPage": "N\u00e6ste side", - "OptionWatched": "Set", - "MessageTrialWillExpireIn": "Pr\u00f8veperioden for denne funktion udl\u00f8ber om {0} dag(e)", "ButtonPreviousPage": "Forrige side", - "OptionUnwatched": "Ikke set", - "MessageInstallPluginFromApp": "Dette plugin skal v\u00e6re installeret inde i den app du \u00f8nsker at benytte det fra.", - "OptionRuntime": "Varighed", - "HeaderMyMedia": "Mine medier", "ButtonMoveLeft": "Flyt til venstre", - "ExternalPlayerPlaystateOptionsHelp": "Specificer hvordan du gerne vil genoptage afspilningen af denne video n\u00e6ste gang.", - "ValuePriceUSD": "Pris: {0} (USD)", - "OptionReleaseDate": "Udgivelsesdato", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Flyt til h\u00f8jre", - "LabelMarkAs": "Marker som:", "ButtonBrowseOnlineImages": "Gennemse online billeder", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Accepter venligst tjenestevilk\u00e5rene f\u00f8r du forts\u00e6tter.", - "OptionInProgress": "I gang", "HeaderDeleteItem": "Slet element", - "ButtonUninstall": "Afinstaller", - "LabelResumePoint": "Genoptagelsespunkt:", "ConfirmDeleteItem": "Hvis dette element slettes, fjernes det b\u00e5de fra dit filsystem samt din mediebibliotek. Er du sikker p\u00e5 du \u00f8nsker at forts\u00e6tte?", - "ValueOneMovie": "1 film", - "ValueItemCount": "{0} elment", "MessagePleaseEnterNameOrId": "Indtast venligst et navn eller eksternt Id.", - "ValueMovieCount": "{0} film", - "PluginCategoryGeneral": "Generelt", - "ValueItemCountPlural": "{0} elementer", "MessageValueNotCorrect": "Det indtastede v\u00e6rdi er ikke korrekt. Pr\u00f8v igen.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Element gemt.", - "HeaderWelcomeBack": "Velkommen tilbage!", - "ValueTrailerCount": "{0} trailere", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Accepter venligst tjenestevilk\u00e5rene f\u00f8r du forts\u00e6tter.", + "OptionEnded": "F\u00e6rdig", + "OptionContinuing": "Fors\u00e6ttes", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Indstillinger", + "ButtonUninstall": "Afinstaller", "HeaderFields": "Felter", - "ButtonTakeTheTourToSeeWhatsNew": "Tag en rundvisning for at se hvad der er nyt", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Indholdsydbydere", "HeaderFieldsHelp": "\u00c6ndre et felt til \"afbrudt\" for at l\u00e5se det og forhindre dets data i at blive \u00e6ndret.", - "ValueSeriesCount": "{0} serier", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Tilbagevendende donationer kan afmeldes n\u00e5r som helst fra din PayPal konto.", - "ButtonRevoke": "Invalider", "MissingLocalTrailer": "Mangler lokal trailer.", - "ValueEpisodeCount": "{0} episoder", - "PluginCategoryScreenSaver": "Pausesk\u00e6rme", - "ButtonMore": "Mere", "MissingPrimaryImage": "Mangler prim\u00e6rt billede", - "ValueOneGame": "1 spil", - "HeaderFavoriteMovies": "Favorit film", "MissingBackdropImage": "Mangler baggrundsbillede.", - "ValueGameCount": "{0} spil", - "HeaderFavoriteShows": "Favorit serier", "MissingLogoImage": "Mangler logo.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Temaer", - "HeaderFavoriteEpisodes": "Favorit episoder", "MissingEpisode": "Mangler episode.", - "ValueAlbumCount": "{0} album", - "HeaderFavoriteGames": "Favorit spil", - "MessagePlaybackErrorPlaceHolder": "Det valgte indhold kan ikke afspilles fra denne enhed.", "OptionScreenshots": "Sk\u00e6rmbilleder", - "ValueOneSong": "1 sang", - "HeaderRatingsDownloads": "Bed\u00f8mmelser \/ Downloads", "OptionBackdrops": "Baggrunde", - "MessageErrorLoadingSupporterInfo": "Det opstod en fejl ved indl\u00e6sning at supporter information. Pr\u00f8v igen senere.", - "ValueSongCount": "{0} sange", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Bekr\u00e6ft sletning af profil", - "HeaderSelectDate": "V\u00e6lg dato", - "ValueOneMusicVideo": "1 musikvideo", - "MessageConfirmProfileDeletion": "Er du sikker p\u00e5 du \u00f8nsker at slette denne profil?", "OptionImages": "Billeder", - "ValueMusicVideoCount": "{0} musikvideoer", - "HeaderSelectServerCachePath": "V\u00e6lg \"Server Cache Path\"", "OptionKeywords": "N\u00f8gleord", - "MessageLinkYourSupporterKey": "Sammenk\u00e6d din supporter n\u00f8gle med op til {0} Emby Connect medlemmer for at f\u00e5 gratis adgang til disse apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Sociale netv\u00e6rk", - "HeaderSelectTranscodingPath": "V\u00e6lg \"Transcoding Temporary Path\"", - "MessageThankYouForSupporting": "Tak for at du st\u00f8tter Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Ikke sendt", - "HeaderSelectImagesByNamePath": "V\u00e6lg billeder efter navn-sti:", "OptionStudios": "Studier", - "HeaderMissing": "Mangler", - "HeaderSelectMetadataPath": "V\u00e6lg Metadata Path", "OptionName": "Navn", - "HeaderConfirmRemoveUser": "Fjern bruger", - "ButtonWebsite": "Hjemmeside", - "PluginCategoryNotifications": "Underretninger", - "HeaderSelectServerCachePathHelp": "V\u00e6lg eller indtast stien som skal benyttes til serverens cache filer. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "SyncJobStatusQueued": "Sat i k\u00f8", "OptionOverview": "Oversigt", - "TooltipFavorite": "Favorit", - "HeaderSelectTranscodingPathHelp": "V\u00e6lg eller indtast stien som skal benyttes til midlertidige transkodningsfiler. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "ButtonCancelItem": "Annuller genstand", "OptionGenres": "Genrer", - "ButtonScheduledTasks": "Planlagte opgaver", - "ValueTimeLimitSingleHour": "Tidsbegr\u00e6nsning: 1 time", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "V\u00e6lg eller indtast stien som f\u00f8rer til mappen med dine elmenter per navn. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "SyncJobStatusCompleted": "Synkroniseret", + "OptionParentalRating": "Aldersgr\u00e6nse", "OptionPeople": "Personer", - "MessageConfirmRemoveConnectSupporter": "Er du sikker p\u00e5 at du vil fjerne supporter fordelene fra denne bruger?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "V\u00e6lg eller indtast stien for hvor du \u00f8nsker at gemme din metadata. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "ButtonQueueForRetry": "S\u00e6t et nyt fors\u00f8g i k\u00f8", - "SyncJobStatusCompletedWithError": "Synkroniseret med fejl", + "OptionRuntime": "Varighed", "OptionProductionLocations": "Produktionslokationer", - "ButtonDonate": "Don\u00e9r", - "TooltipPlayed": "Afspillet", "OptionBirthLocation": "F\u00f8dselssted", - "ValueTimeLimitMultiHour": "Tidsbegr\u00e6nsning: {0} timer", - "ValueSeriesYearToPresent": "{0}-Nu", - "ButtonReenable": "Genaktiver", + "LabelAllChannels": "Alle kanaler", "LabelLiveProgram": "DIREKTE", - "ConfirmMessageScheduledTaskButton": "Denne operation k\u00f8rer normalt som en planlagt opgave. Den kan ogs\u00e5 k\u00f8res manuelt her. For at konfigurere den planlage opgave, se:", - "ValueAwards": "Priser: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NY", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Markeret til sletning", "LabelPremiereProgram": "PR\u00c6MIERE", - "ValueRevenue": "Indtjening: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "\u00c6ndre indholdstype", - "ButtonQueueAllFromHere": "Set alt her i k\u00f8", - "ValuePremiered": "Pr\u00e6miere {0}", - "PluginCategoryChannel": "Kanaler", - "HeaderLibraryFolders": "Mediemapper", - "ButtonMarkForRemoval": "Fjern fra enhed", "HeaderChangeFolderTypeHelp": "For at \u00e6ndre typen bedes du fjerne og gendanne mappen med den nye type.", - "ButtonPlayAllFromHere": "Afspil alt fra her", - "ValuePremieres": "Pr\u00e6miere {0}", "HeaderAlert": "Advarsel", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studie: {0}", - "ButtonUnmarkForRemoval": "Annuller fjernelse fra enhed", "MessagePleaseRestart": "Genstart venligst for at afslutte opdateringen.", - "HeaderIdentify": "Identificer genstand", - "ValueStudios": "Studier: {0}", + "ButtonRestart": "Genstart", "MessagePleaseRefreshPage": "Genindl\u00e6s venligst denne side for at modtage nye opdateringer fra serveren.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Tilf\u00f8jelser", - "MessageConfirmSyncJobItemCancellation": "Er du sikker p\u00e5 du \u00f8nsker at annullere denne genstand?", "ButtonHide": "Gem", - "LabelTitleDisplayOrder": "Titelvisningsorden:", - "ButtonViewSeriesRecording": "Vis serieoptagelse", "MessageSettingsSaved": "Indstillinger er gemt.", - "OptionSortName": "Sorteringsnavn", - "ValueOriginalAirDate": "Blev sendt f\u00f8rste gang: {0}", - "HeaderLibraries": "Bibliotekter", "ButtonSignOut": "Log af", - "ButtonOk": "Ok", "ButtonMyProfile": "Min profil", - "ButtonCancel": "Annuller", "ButtonMyPreferences": "Mine indstillinger", - "LabelDiscNumber": "Disk nummer", "MessageBrowserDoesNotSupportWebSockets": "Denne browser underst\u00f8tter ikke \"web sockets\". For en bedre oplevelse benyt da en nyere browser s\u00e5 som Chrome, Firefox, IE10+, Safari (iOS) eller Opera.", - "LabelParentNumber": "Parent nummer", "LabelInstallingPackage": "Installerer {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation udf\u00f8rt.", - "LabelTrackNumber": "Spor nummer:", "LabelPackageInstallFailed": "{0} installationen mislykkedes.", - "LabelNumber": "Nummer:", "LabelPackageInstallCancelled": "{0} installation afbrudt.", - "LabelReleaseDate": "Udgivelsesdato:", + "TabServer": "Server", "TabUsers": "Brugere", - "LabelEndDate": "Slutdato:", "TabLibrary": "Bibliotek", - "LabelYear": "\u00c5r:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "F\u00f8dselsdato:", "TabLiveTV": "Live TV", - "LabelBirthYear": "F\u00f8dsels\u00e5r:", "TabAutoOrganize": "Organiser automatisk", - "LabelDeathDate": "D\u00f8dsdato:", "TabPlugins": "Tilf\u00f8jelser", - "HeaderRemoveMediaLocation": "Fjern medielokalisation", - "HeaderDeviceAccess": "Enhedsadgang", + "TabAdvanced": "Avanceret", "TabHelp": "Hj\u00e6lp", - "MessageConfirmRemoveMediaLocation": "Er du sikker p\u00e5 du \u00f8nsker at fjerne denne lokalisation?", - "HeaderSelectDevices": "V\u00e6lg enheder", "TabScheduledTasks": "Planlagte opgaver", - "HeaderRenameMediaFolder": "Omd\u00f8b mediemappe", - "LabelNewName": "Nyt navn:", - "HeaderLatestFromChannel": "Seneste fra {0}", - "HeaderAddMediaFolder": "Tilf\u00f8j mediemappe", - "ButtonQuality": "Kvalitet", - "HeaderAddMediaFolderHelp": "Navn (Film, Musik, TV, osv.):", "ButtonFullscreen": "Fuldsk\u00e6rm", - "HeaderRemoveMediaFolder": "Fjern mediemappe", - "ButtonScenes": "Scener", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f8lgende medielokationer vil blive fjerne fra dit bibliotek:", - "ErrorLaunchingChromecast": "Der opstod en fejl ved start af cromecast. Tjek venligst at din enhed er forbundet til det tr\u00e5dl\u00f8se netv\u00e6rk.", - "ButtonSubtitles": "Undertekster", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Er du sikker p\u00e5 du \u00f8nsker at fjerne denne mediemappe?", - "MessagePleaseSelectOneItem": "V\u00e6lg venligst mindst \u00e9t element.", "ButtonAudioTracks": "Lydpor", - "ButtonRename": "Omd\u00f8b", - "MessagePleaseSelectTwoItems": "V\u00e6lg venligst mindst to elementer.", - "ButtonPreviousTrack": "Forrige spor", - "ButtonChangeType": "\u00c6ndre type", - "HeaderSelectChannelDownloadPath": "V\u00e6lg sti for hentning af kanalindhold", - "ButtonNextTrack": "N\u00e6ste spor", - "HeaderMediaLocations": "Medielokationer", - "HeaderSelectChannelDownloadPathHelp": "V\u00e6lg eller indtast stien for hvor du \u00f8nsker at gemme kanalindholds cache filer. Mappen m\u00e5 ikke v\u00e6re skrivebeskyttet.", - "ButtonStop": "Stop", - "OptionNewCollection": "Ny...", - "ButtonPause": "Pause", - "TabMovies": "Film", - "LabelPathSubstitutionHelp": "Valgfri: Stisubstitution kan sammenk\u00e6de serverstier til netv\u00e6rksstier som klienter derved kan tilg\u00e5 for direkte afspilning.", - "TabTrailers": "Trailere", - "FolderTypeMovies": "FIlm", - "LabelCollection": "Samling", - "FolderTypeMusic": "Musik", - "FolderTypeAdultVideos": "Voksenfilm", - "HeaderAddToCollection": "Tilf\u00f8j til samling", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Indsend", - "FolderTypeMusicVideos": "Musikvideoer", - "SettingsSaved": "Indstillinger er gemt", - "OptionParentalRating": "Aldersgr\u00e6nse", - "FolderTypeHomeVideos": "Hjemmevideoer", - "AddUser": "Tilf\u00f8j bruger", - "HeaderMenu": "Menu", - "FolderTypeGames": "Spil", - "Users": "Brugere", - "ButtonRefresh": "Opdater", - "PinCodeResetComplete": "Pinkoden er blevet nulstillet.", - "ButtonOpen": "\u00c5ben", - "FolderTypeBooks": "B\u00f8ger", - "Delete": "Slet", - "LabelCurrentPath": "Nuv\u00e6rende sti:", - "TabAdvanced": "Avanceret", - "ButtonOpenInNewTab": "\u00c5ben i ny fane", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "V\u00e6lg mediesti", - "PinCodeResetConfirmation": "Er du sikker p\u00e5 at pinkoden skal nulstilles?", - "ButtonShuffle": "Bland", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "F\u00f8dselssted: {0}", - "Password": "Adgangskode", - "ButtonNetwork": "Netv\u00e6rk", - "OptionContinuing": "Fors\u00e6ttes", - "ButtonInstantMix": "Instant Mix", - "DeathDateValue": "D\u00f8dsdato: {0}", - "MessageDirectoryPickerInstruction": "Netv\u00e6rksstier kan indtastes manuelt i tilf\u00e6lde af at netv\u00e6rksknappen ikke kan lokalisere dine enheder. Foreksempel, {0} eller {1}.", - "HeaderPinCodeReset": "Nulstil pinkode", - "OptionEnded": "F\u00e6rdig", - "ButtonResume": "Genoptag", + "ButtonSubtitles": "Undertekster", + "ButtonScenes": "Scener", + "ButtonQuality": "Kvalitet", + "HeaderNotifications": "Notifikationer", + "HeaderSelectPlayer": "V\u00e6lg afspiller:", + "ButtonSelect": "V\u00e6lg", + "ButtonNew": "Ny", + "MessageInternetExplorerWebm": "For at opn\u00e5 de bedste resultater med Internet Explorer bedes du installere WebM afspilningstilf\u00f8jelsen.", + "HeaderVideoError": "Video fejl", "ButtonAddToPlaylist": "Tilf\u00f8j til afspilningsliste", - "BirthDateValue": "F\u00f8dt: {0}", - "ButtonMoreItems": "Mere...", - "DeleteImage": "Slet billede", "HeaderAddToPlaylist": "Tilf\u00f8j til afspilningsliste", - "LabelSelectCollection": "V\u00e6lg samling:", - "MessageNoSyncJobsFound": "Intet sync job blev fundet. Opret sync jobs ved at benytte Sync knapper som findes gennem web-interfacet.", - "ButtonRemoveFromPlaylist": "Fjer fra afspilningsliste", - "DeleteImageConfirmation": "Er du sikker p\u00e5 du vil slette dette billede?", - "HeaderLoginFailure": "Login fejl", - "OptionSunday": "S\u00f8ndag", + "LabelName": "Navn:", + "ButtonSubmit": "Indsend", "LabelSelectPlaylist": "Afspilningsliste:", - "LabelContentTypeValue": "Indholdstype: {0}", - "FileReadCancelled": "L\u00e6sning af filen er annulleret.", - "OptionMonday": "Mandag", "OptionNewPlaylist": "Ny afspilningsliste...", - "FileNotFound": "Filen blev ikke fundet.", - "HeaderPlaybackError": "Fejl i afspilning", - "OptionTuesday": "Tirsdag", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Der opstod en fejl i fors\u00f8get p\u00e5 at l\u00e6se filen.", - "HeaderName": "Navn", - "OptionWednesday": "Onsdag", + "ButtonView": "Visning", + "ButtonViewSeriesRecording": "Vis serieoptagelse", + "ValueOriginalAirDate": "Blev sendt f\u00f8rste gang: {0}", + "ButtonRemoveFromPlaylist": "Fjer fra afspilningsliste", + "HeaderSpecials": "S\u00e6rudsendelser", + "HeaderTrailers": "Trailere", + "HeaderAudio": "Lyd", + "HeaderResolution": "Opl\u00f8sning", + "HeaderVideo": "Video", + "HeaderRuntime": "Varighed", + "HeaderCommunityRating": "F\u00e6llesskabsvurdering", + "HeaderPasswordReset": "Nulstil adgangskode", + "HeaderParentalRating": "Aldersgr\u00e6nse", + "HeaderReleaseDate": "Udgivelsesdato", + "HeaderDateAdded": "Dato for tilf\u00f8jelse", + "HeaderSeries": "Serier", + "HeaderSeason": "S\u00e6son", + "HeaderSeasonNumber": "S\u00e6sonnummer", + "HeaderNetwork": "Netv\u00e6rk", + "HeaderYear": "\u00c5r", + "HeaderGameSystem": "Spilsystem", + "HeaderPlayers": "Afspillere", + "HeaderEmbeddedImage": "Indlejret billede", + "HeaderTrack": "Spor", + "HeaderDisc": "Disk", + "OptionMovies": "Film", "OptionCollections": "Samlinger", - "DeleteUser": "Slet bruger.", - "OptionThursday": "Torsdag", "OptionSeries": "Serier", - "DeleteUserConfirmation": "Er du sikker p\u00e5 du \u00f8nsker at slette denne bruger?", - "MessagePlaybackErrorNotAllowed": "Du er p\u00e5 nuv\u00e6rende tidspunkt ikke autoriseret til at afspille dette indhold. Kontakt venligst din systemadministrator for flere detaljer.", - "OptionFriday": "Fredag", "OptionSeasons": "S\u00e6soner", - "PasswordResetHeader": "Nulstil adgangskode", - "OptionSaturday": "L\u00f8rdag", + "OptionEpisodes": "Episoder", "OptionGames": "Spil", - "PasswordResetComplete": "Adgangskoden er blevet nulstillet.", - "HeaderSpecials": "S\u00e6rudsendelser", "OptionGameSystems": "Spilsystemer", - "PasswordResetConfirmation": "Er du sikker p\u00e5 at adgangskoden skal nulstilles?", - "MessagePlaybackErrorNoCompatibleStream": "Ingen kompatible streams er tilg\u00e6ngelige p\u00e5 nuv\u00e6rende tidspunkt. Pr\u00f8v igen senere eller kontakt din systemadministrator for flere detaljer.", - "HeaderTrailers": "Trailere", "OptionMusicArtists": "Musikartister", - "PasswordSaved": "Adgangskoden er gemt.", - "HeaderAudio": "Lyd", "OptionMusicAlbums": "Musikalbummer", - "PasswordMatchError": "Adgangskode og bekr\u00e6ft adgangskode skal v\u00e6re ens.", - "HeaderResolution": "Opl\u00f8sning", - "LabelFailed": "(fejlede)", "OptionMusicVideos": "Musikvideoer", - "MessagePlaybackErrorRateLimitExceeded": "Din afspilningskvote er blevet overskredet. Kontakt venligst din systemadministrator for flere detaljer.", - "HeaderVideo": "Video", - "ButtonSelect": "V\u00e6lg", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Sange", - "HeaderRuntime": "Varighed", - "LabelPlayMethodTranscoding": "Transkoding", "OptionHomeVideos": "Hjemmevideoer", - "ButtonSave": "Gem", - "HeaderCommunityRating": "F\u00e6llesskabsvurdering", - "LabelSeries": "Serier", - "LabelPlayMethodDirectStream": "Direkte streaming", "OptionBooks": "B\u00f8ger", - "HeaderParentalRating": "Aldersgr\u00e6nse", - "LabelSeasonNumber": "S\u00e6sonnummer", - "HeaderChannels": "Kanaler", - "LabelPlayMethodDirectPlay": "Direkte afspilning", "OptionAdultVideos": "Voksenfilm", - "ButtonDownload": "Hent", - "HeaderReleaseDate": "Udgivelsesdato", - "LabelEpisodeNumber": "Episodenummer", - "LabelAudioCodec": "Lyd: {0}", "ButtonUp": "Op", - "LabelUnknownLanaguage": "Ukendt sprog", - "HeaderDateAdded": "Dato for tilf\u00f8jelse", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Ned", - "HeaderCurrentSubtitles": "Nuv\u00e6rende undertekster", - "ButtonPlayExternalPlayer": "Afspil med ekstern afspiller", - "HeaderSeries": "Serier", - "TabServer": "Server", - "TabSeries": "Serier", - "LabelRemoteAccessUrl": "Fjernadgang: {0}", "LabelMetadataReaders": "Metadata afl\u00e6sere:", - "MessageDownloadQueued": "Downloadet er sat i k\u00f8.", - "HeaderSelectExternalPlayer": "V\u00e6lg ekstern afspiller", - "HeaderSeason": "S\u00e6son", - "HeaderSupportTheTeam": "St\u00f8t Emby-holdet", - "LabelRunningOnPort": "K\u00f8rer p\u00e5 http port {0}.", "LabelMetadataReadersHelp": "Ranger dine fortrukne lokale metadatakilder i prioriteret r\u00e6kkef\u00f8lge. Den f\u00f8rst fundne fil vil blive afl\u00e6st.", - "MessageAreYouSureDeleteSubtitles": "Er du sikker p\u00e5 du \u00f8nsker at slette denne undertekstfil?", - "HeaderExternalPlayerPlayback": "Ekstern afspiller afspilning", - "HeaderSeasonNumber": "S\u00e6sonnummer", - "LabelRunningOnPorts": "K\u00f8rer p\u00e5 http port {0}, og https port {1}.", "LabelMetadataDownloaders": "Metadata downloadere:", - "ButtonImDone": "Jeg er f\u00e6rdig", - "HeaderNetwork": "Netv\u00e6rk", "LabelMetadataDownloadersHelp": "Aktiver og ranger dine fortrukne metadata downloadere i en prioriteret r\u00e6kkef\u00f8lge. Lavt rangerende downloadere bliver kun benyttet til at udfylde manglende information.", - "HeaderLatestMedia": "Seneste medier", - "HeaderYear": "\u00c5r", "LabelMetadataSavers": "Metadata-gemmer:", - "HeaderGameSystem": "Spilsystem", - "MessagePleaseSupportProject": "V\u00e6r venlig at st\u00f8tte Emby.", "LabelMetadataSaversHelp": "V\u00e6lg de filformater du \u00f8nsker din metadata gemmes som.", - "HeaderPlayers": "Afspillere", "LabelImageFetchers": "Billede-henter:", - "HeaderEmbeddedImage": "Indlejret billede", - "ButtonNew": "Ny", "LabelImageFetchersHelp": "Aktiver og ranger dine fortrukne billede-hentere i en prioriteret r\u00e6kkef\u00f8lge.", - "MessageSwipeDownOnRemoteControl": "Velkommen til fjernstyring. V\u00e6lg hvilken enhed du vil styre ved at klikke cast ikonet i \u00f8verste h\u00f8jre hj\u00f8rne. Tr\u00e6k ned hvor som helst p\u00e5 sk\u00e6rmen for at g\u00e5 tilbage til hvor du kom fra.", - "HeaderTrack": "Spor", - "HeaderWelcomeToProjectServerDashboard": "Velkommen til Emby betjeningspanel", - "TabMetadata": "Metadata", - "HeaderDisc": "Disk", - "HeaderWelcomeToProjectWebClient": "Velkommen til Emby", - "LabelName": "Navn:", - "LabelAddedOnDate": "Tilf\u00f8jet {0}", - "ButtonRemove": "Fjern", - "ButtonStart": "Start", + "ButtonQueueAllFromHere": "Set alt her i k\u00f8", + "ButtonPlayAllFromHere": "Afspil alt fra her", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identificer genstand", + "PersonTypePerson": "Person", + "LabelTitleDisplayOrder": "Titelvisningsorden:", + "OptionSortName": "Sorteringsnavn", + "LabelDiscNumber": "Disk nummer", + "LabelParentNumber": "Parent nummer", + "LabelTrackNumber": "Spor nummer:", + "LabelNumber": "Nummer:", + "LabelReleaseDate": "Udgivelsesdato:", + "LabelEndDate": "Slutdato:", + "LabelYear": "\u00c5r:", + "LabelDateOfBirth": "F\u00f8dselsdato:", + "LabelBirthYear": "F\u00f8dsels\u00e5r:", + "LabelBirthDate": "F\u00f8dselsdato:", + "LabelDeathDate": "D\u00f8dsdato:", + "HeaderRemoveMediaLocation": "Fjern medielokalisation", + "MessageConfirmRemoveMediaLocation": "Er du sikker p\u00e5 du \u00f8nsker at fjerne denne lokalisation?", + "HeaderRenameMediaFolder": "Omd\u00f8b mediemappe", + "LabelNewName": "Nyt navn:", + "HeaderAddMediaFolder": "Tilf\u00f8j mediemappe", + "HeaderAddMediaFolderHelp": "Navn (Film, Musik, TV, osv.):", + "HeaderRemoveMediaFolder": "Fjern mediemappe", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f8lgende medielokationer vil blive fjerne fra dit bibliotek:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Er du sikker p\u00e5 du \u00f8nsker at fjerne denne mediemappe?", + "ButtonRename": "Omd\u00f8b", + "ButtonChangeType": "\u00c6ndre type", + "HeaderMediaLocations": "Medielokationer", + "LabelContentTypeValue": "Indholdstype: {0}", + "LabelPathSubstitutionHelp": "Valgfri: Stisubstitution kan sammenk\u00e6de serverstier til netv\u00e6rksstier som klienter derved kan tilg\u00e5 for direkte afspilning.", + "FolderTypeUnset": "Ikke valgt (blandet indhold)", + "FolderTypeMovies": "FIlm", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Voksenfilm", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Musikvideoer", + "FolderTypeHomeVideos": "Hjemmevideoer", + "FolderTypeGames": "Spil", + "FolderTypeBooks": "B\u00f8ger", + "FolderTypeTvShows": "TV", + "TabMovies": "Film", + "TabSeries": "Serier", + "TabEpisodes": "Episoder", + "TabTrailers": "Trailere", + "TabGames": "Spil", + "TabAlbums": "Albums", + "TabSongs": "Sange", + "TabMusicVideos": "Musikvideoer", + "BirthPlaceValue": "F\u00f8dselssted: {0}", + "DeathDateValue": "D\u00f8dsdato: {0}", + "BirthDateValue": "F\u00f8dt: {0}", + "HeaderLatestReviews": "Seneste anmeldeser", + "HeaderPluginInstallation": "Plugin installation", + "MessageAlreadyInstalled": "Denne version er allerede installeret.", + "ValueReviewCount": "{0} Anmeldelser", + "MessageYouHaveVersionInstalled": "Du har version {0} installeret.", + "MessageTrialExpired": "Pr\u00f8veperioden for denne funktion er udl\u00f8bet", + "MessageTrialWillExpireIn": "Pr\u00f8veperioden for denne funktion udl\u00f8ber om {0} dag(e)", + "MessageInstallPluginFromApp": "Dette plugin skal v\u00e6re installeret inde i den app du \u00f8nsker at benytte det fra.", + "ValuePriceUSD": "Pris: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Du er registreret til at benytte denne funktion, og kan blive ved med at benytte den under foruds\u00e6tning af et aktivt supporter medlemsskab.", + "MessageChangeRecurringPlanConfirm": "Efter denne transaktion er udf\u00f8rt skal du afmelde din tidligere l\u00f8bende donation inde fra din PayPal konto. Tak fordi du st\u00f8tter Emby.", + "MessageSupporterMembershipExpiredOn": "Dit supporter medlemskab udl\u00f8b den {0}.", + "MessageYouHaveALifetimeMembership": "Du har et livstidsmedlemskab. Du kan give yderligere donationer via en engangsydelse eller p\u00e5 l\u00f8bende basis ved at benytte mulighederne nedenfor. Tak fordi du st\u00f8tter Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Du har et aktivt {0} medlemsskab. Du kan opgradere dette via mulighederne nedenfor.", + "ButtonDelete": "Slet", "HeaderEmbyAccountAdded": "Emby konto tilf\u00f8jet", - "HeaderBlockItemsWithNoRating": "Bloker indhold uden bed\u00f8mmelser:", - "LabelLocalAccessUrl": "Lokal adgang: {0}", - "OptionBlockOthers": "Andre", - "SyncJobStatusReadyToTransfer": "Klar til overf\u00f8rsel", - "OptionBlockTvShows": "TV serier", - "SyncJobItemStatusReadyToTransfer": "Klar til overf\u00f8rsel", "MessageEmbyAccountAdded": "Emby kontoen er blevet tilf\u00f8jet til denne bruger.", - "OptionBlockTrailers": "Trailere", - "OptionBlockMusic": "Musik", - "OptionBlockMovies": "Film", - "HeaderAllRecordings": "Alle optagelser", "MessagePendingEmbyAccountAdded": "Emby kontoen er blevet tilf\u00f8jet denne bruger. En email sendes til ejeren af kontoen. Invitationen skal bekr\u00e6ftes ved at klikke p\u00e5 linket i emailen.", - "OptionBlockBooks": "B\u00f8ger", - "ButtonPlay": "Afspil", - "OptionBlockGames": "Spil", - "MessageKeyEmailedTo": "N\u00f8gle sendt med e-mail til {0}.", - "TabGames": "Spil", - "ButtonEdit": "Rediger", - "OptionBlockLiveTvPrograms": "Live TV-programmer", - "MessageKeysLinked": "N\u00f8gler sammenknyttet.", - "HeaderEmbyAccountRemoved": "Emby konto fjernet", - "OptionBlockLiveTvChannels": "Live TV-kanaler", - "HeaderConfirmation": "Bekr\u00e6ftelse", - "ButtonDelete": "Slet", - "OptionBlockChannelContent": "Internet kanalindhold", - "MessageKeyUpdated": "Tak. Din supporter n\u00f8gle er nu opdateret.", - "MessageKeyRemoved": "Tak. Din supporter n\u00f8gle er fjernet.", - "OptionMovies": "Film", - "MessageEmbyAccontRemoved": "Emby kontoen er blevet fjernet fra denne bruger.", - "HeaderSearch": "S\u00f8g", - "OptionEpisodes": "Episoder", - "LabelArtist": "Artist", - "LabelMovie": "Film", - "HeaderPasswordReset": "Nulstil adgangskode", - "TooltipLinkedToEmbyConnect": "Koblet til Emby Connect", - "LabelMusicVideo": "Musikvideo", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Annulleret grundet server nedlukning)", - "HeaderConfirmSeriesCancellation": "Bekr\u00e6ft annullering af serie", - "LabelStopping": "Standser", - "MessageConfirmSeriesCancellation": "Er du sikker p\u00e5 du \u00f8nsker at annullere denne serie?", - "LabelCancelled": "(annulleret)", - "MessageSeriesCancelled": "Serie annulleret.", - "HeaderConfirmDeletion": "Bekr\u00e6ft sletning", - "MessageConfirmPathSubstitutionDeletion": "Er du sikker p\u00e5 du \u00f8nsker at slette denne stisubstitution?", - "LabelScheduledTaskLastRan": "Sidst k\u00f8rt {0}, og tog {1}.", - "LiveTvUpdateAvailable": "(Opdatering tilg\u00e6ngelig)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Slet Task Trigger", - "LabelVersionUpToDate": "Opdateret!", - "ButtonTakeTheTour": "Vis introduktion", - "ButtonInbox": "Indbakke", - "HeaderPlotKeywords": "Plot n\u00f8gleord", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Synkroniser dine personlige mediefiler til dine enheder s\u00e5 det kan ses offline.", - "TabScenes": "Scener", - "DashboardTourSync": "Synkroniser dine personlige mediefiler til dine enheder s\u00e5 det kan ses offline.", - "MessageRefreshQueued": "Opdatering sat i k\u00f8", - "DashboardTourHelp": "Hj\u00e6lp inde i app'en s\u00f8rger for knapper der let \u00e5bner de wiki-sider der er relateret til hvad der er p\u00e5 din sk\u00e6rm i det \u00f8jeblik.", - "DeviceLastUsedByUserName": "Sidst brugt af {0}", - "HeaderDeleteDevice": "Slet enhed", - "DeleteDeviceConfirmation": "Er du sikker p\u00e5 du \u00f8nsker at slette denne enhed? Den vil dukke op igen n\u00e6ste gang en bruger logger ind med den.", - "LabelEnableCameraUploadFor": "Aktiver kamera upload for:", - "HeaderSelectUploadPath": "V\u00e6lg upload sti", - "LabelEnableCameraUploadForHelp": "Uploads sker automatisk i baggrunden n\u00e5r du er logget p\u00e5 Emby", - "ButtonLibraryAccess": "Biblioteksadgang", - "ButtonParentalControl": "For\u00e6ldrekontrol", - "TabDevices": "Enheder", - "LabelItemLimit": "Maks. filer:", - "HeaderAdvanced": "Avanceret", - "LabelItemLimitHelp": "Valgfri. S\u00e6t en gr\u00e6nse for antallet af filer der synkroniseres.", - "MessageBookPluginRequired": "Kr\u00e6ver installation af Bookshelf tilf\u00f8jelsen", + "HeaderEmbyAccountRemoved": "Emby konto fjernet", + "MessageEmbyAccontRemoved": "Emby kontoen er blevet fjernet fra denne bruger.", + "TooltipLinkedToEmbyConnect": "Koblet til Emby Connect", + "HeaderUnrated": "Ingen bed\u00f8mmelse", + "ValueDiscNumber": "Disk {0}", + "HeaderUnknownDate": "Ukendt dato", + "HeaderUnknownYear": "Ukendt \u00e5r", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Afspil med ekstern afspiller", + "HeaderSelectExternalPlayer": "V\u00e6lg ekstern afspiller", + "HeaderExternalPlayerPlayback": "Ekstern afspiller afspilning", + "ButtonImDone": "Jeg er f\u00e6rdig", + "OptionWatched": "Set", + "OptionUnwatched": "Ikke set", + "ExternalPlayerPlaystateOptionsHelp": "Specificer hvordan du gerne vil genoptage afspilningen af denne video n\u00e6ste gang.", + "LabelMarkAs": "Marker som:", + "OptionInProgress": "I gang", + "LabelResumePoint": "Genoptagelsespunkt:", + "ValueOneMovie": "1 film", + "ValueMovieCount": "{0} film", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailere", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} serier", + "ValueOneEpisode": "1 episode", + "ValueEpisodeCount": "{0} episoder", + "ValueOneGame": "1 spil", + "ValueGameCount": "{0} spil", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} album", + "ValueOneSong": "1 sang", + "ValueSongCount": "{0} sange", + "ValueOneMusicVideo": "1 musikvideo", + "ValueMusicVideoCount": "{0} musikvideoer", + "HeaderOffline": "Offline", + "HeaderUnaired": "Ikke sendt", + "HeaderMissing": "Mangler", + "ButtonWebsite": "Hjemmeside", + "TooltipFavorite": "Favorit", + "TooltipLike": "Like", + "TooltipDislike": "Dislike", + "TooltipPlayed": "Afspillet", + "ValueSeriesYearToPresent": "{0}-Nu", + "ValueAwards": "Priser: {0}", + "ValueBudget": "Budget: {0}", + "ValueRevenue": "Indtjening: {0}", + "ValuePremiered": "Pr\u00e6miere {0}", + "ValuePremieres": "Pr\u00e6miere {0}", + "ValueStudio": "Studie: {0}", + "ValueStudios": "Studier: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Gr\u00e6nse:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "Mennesker", "HeaderCastAndCrew": "Medvirkende", - "MessageGamePluginRequired": "Kr\u00e6ver installation af GameBrowser tilf\u00f8jelsen", "ValueArtist": "Kunstner: {0}", "ValueArtists": "Kunstnere: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Kameram\u00e6rke", "MediaInfoCameraModel": "Kameramodel", "MediaInfoAltitude": "H\u00f8jde", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "H\u00f8jdegrad", "MediaInfoShutterSpeed": "Lukkehastighed", "MediaInfoSoftware": "Software", - "TabNotifications": "Underretninger", "HeaderIfYouLikeCheckTheseOut": "Hvis du kan lide {0}, s\u00e5 tjek disse...", + "HeaderPlotKeywords": "Plot n\u00f8gleord", "HeaderMovies": "Film", "HeaderAlbums": "Albums", "HeaderGames": "Spil", - "HeaderConnectionFailure": "Forbindelsesfejl", "HeaderBooks": "B\u00f8ger", - "MessageUnableToConnectToServer": "Vi kan ikke forbinde til den valgte server p\u00e5 nuv\u00e6rende tidspunkt. Sikrer dig venligst at serveren k\u00f8rer og pr\u00f8v igen.", - "MessageUnsetContentHelp": "Indhold vil blive vist som almindelige mapper. For det bedste resultat benyt metadata manageren til at v\u00e6lge indholdstypen i undermapper.", + "HeaderEpisodes": "Afsnit", "HeaderSeasons": "S\u00e6soner", "HeaderTracks": "Spor", "HeaderItems": "Element", @@ -653,153 +632,178 @@ "ButtonFullReview": "Fuld anmeldelse", "ValueAsRole": "som {0}", "ValueGuestStar": "G\u00e6stestjerne", - "HeaderInviteGuest": "Inviter g\u00e6st", "MediaInfoSize": "St\u00f8rrelse", "MediaInfoPath": "Sti", - "MessageConnectAccountRequiredToInviteGuest": "For at invitere g\u00e6ster skal du f\u00f8rst k\u00e6de din Emby konto til denne server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Beholder", "MediaInfoDefault": "Standard", "MediaInfoForced": "Tvungen", - "HeaderSettings": "Indstillinger", "MediaInfoExternal": "Ekstern", - "OptionAutomaticallySyncNewContent": "Synkroniser automatisk nyt indhold", "MediaInfoTimestamp": "Tidsstempel", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixelformat", - "OptionSyncUnwatchedVideosOnly": "Synkroniser kun usete videoer", "MediaInfoBitDepth": "Bit dybde", - "OptionSyncUnwatchedVideosOnlyHelp": "Kun usete videoer vil blive synkroniseret, og videoer vil blive fjernet fra enheden n\u00e5r de er blevet set.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Kanaler", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Sprog", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profil", "MediaInfoLevel": "Niveau", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Formatforhold", "MediaInfoResolution": "Opl\u00f8sning", "MediaInfoAnamorphic": "Anamorfisk", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Lyd", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Undertekster", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Indlejret billede", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Afspilning", + "TabNotifications": "Underretninger", + "TabExpert": "Ekspert", + "HeaderSelectCustomIntrosPath": "V\u00e6lg sti til brugerdefinerede introduktioner", + "HeaderRateAndReview": "Bed\u00f8m og anmeld", + "HeaderThankYou": "Tak", + "MessageThankYouForYourReview": "Tak for din anmeldelse", + "LabelYourRating": "Din bed\u00f8mmelse:", + "LabelFullReview": "Fuld anmeldelse:", + "LabelShortRatingDescription": "Kort bed\u00f8mmelsesresum\u00e9:", + "OptionIRecommendThisItem": "Jeg anbefaler dette", + "WebClientTourContent": "Se dit seneste tilf\u00f8jet media, kommende episoder samt mere. Den gr\u00f8nne cirkel indikerer hvor mange uafspillet elementer du har.", + "WebClientTourMovies": "Afspil film, trailere samt andet fra hvilken som helst enhed med en browser", + "WebClientTourMouseOver": "Hold musen over enhver plakat for hurtig adgang til vigtig information", + "WebClientTourTapHold": "Tryk og hold eller h\u00f8jreklik p\u00e5 enhver plakat for at \u00e5bne en menu for det valgte element", + "WebClientTourMetadataManager": "Klik p\u00e5 rediger for at \u00e5bne metadata manageren", + "WebClientTourPlaylists": "Opret afspilningslister og instant mixes, og afspil dem p\u00e5 enhver enhed", + "WebClientTourCollections": "Opret filmsamlinger s\u00e5 film kan grupperes sammen", + "WebClientTourUserPreferences1": "Brugerindstillinger g\u00f8r det muligt for dig at skr\u00e6ddersy m\u00e5den dit bibliotek pr\u00e6senteres i alle dine Emby apps", + "WebClientTourUserPreferences2": "Konfigurer sproget p\u00e5 dine lyd og undertekstindstillinger \u00e9n gang for alle Emby apps", + "WebClientTourUserPreferences3": "Design webklient hjemmesiden til din egen smag", + "WebClientTourUserPreferences4": "V\u00e6lg baggrunde, temasange og eksterne afspillere", + "WebClientTourMobile1": "Webklienten virker perfekt p\u00e5 smartphones og tablets...", + "WebClientTourMobile2": "og styr let andre enheder og Emby apps", + "WebClientTourMySync": "Synkroniser dine personlige mediefiler til dine enheder s\u00e5 det kan ses offline.", + "MessageEnjoyYourStay": "Nyd dit bes\u00f8g", + "DashboardTourDashboard": "Betjeningspanelet g\u00f8r det muligt at monitorere din server og dine brugere. Du vil altid v\u00e6re i stand til at vide hvem der g\u00f8r hvad samt hvor de er.", + "DashboardTourHelp": "Hj\u00e6lp inde i app'en s\u00f8rger for knapper der let \u00e5bner de wiki-sider der er relateret til hvad der er p\u00e5 din sk\u00e6rm i det \u00f8jeblik.", + "DashboardTourUsers": "Opret let brugerkonti til dine venner og familie, hver med deres egne rettigheder, adgang til biblioteket, for\u00e6ldre-indstillinger samt meget mere.", + "DashboardTourCinemaMode": "Biograftilstand giver dig biografoplevelsen direkte ind i din stue, med muligheden for at vise trailere og brugerdefinerede introduktioner f\u00f8r hovedfilmen.", + "DashboardTourChapters": "Aktiver kapitelbillede-oprettelse for dine videoer for en mere behagelig pr\u00e6sentation mens du afspiller.", + "DashboardTourSubtitles": "Download automatisk undertekster til dine videoer in ethvert sprog.", + "DashboardTourPlugins": "Installer tilf\u00f8jelser s\u00e5 som internet videokanaler, live tv, metadata skannere samt meget mere.", + "DashboardTourNotifications": "Send automatisk notifikationer vedr\u00f8rende serverbegivenheder til dine mobile enheder, din email samt andre tjenester.", + "DashboardTourScheduledTasks": "Administrer let processer der l\u00f8ber over l\u00e6ngere tid via planlagte opgaver. Bestem hvorn\u00e5r de udf\u00f8res samt hvor ofte.", + "DashboardTourMobile": "Emby betjeningspanelet virker uden problemer p\u00e5 b\u00e5de smartphones og tablets. Kontrol over din server er altid ved dine fingrespidser hvor som helst, n\u00e5r som helst.", + "DashboardTourSync": "Synkroniser dine personlige mediefiler til dine enheder s\u00e5 det kan ses offline.", + "MessageRefreshQueued": "Opdatering sat i k\u00f8", + "TabDevices": "Enheder", + "TabExtras": "Ekstra", + "DeviceLastUsedByUserName": "Sidst brugt af {0}", + "HeaderDeleteDevice": "Slet enhed", + "DeleteDeviceConfirmation": "Er du sikker p\u00e5 du \u00f8nsker at slette denne enhed? Den vil dukke op igen n\u00e6ste gang en bruger logger ind med den.", + "LabelEnableCameraUploadFor": "Aktiver kamera upload for:", + "HeaderSelectUploadPath": "V\u00e6lg upload sti", + "LabelEnableCameraUploadForHelp": "Uploads sker automatisk i baggrunden n\u00e5r du er logget p\u00e5 Emby", + "ErrorMessageStartHourGreaterThanEnd": "Slut tid skal v\u00e6re st\u00f8rre end start tid.", + "ButtonLibraryAccess": "Biblioteksadgang", + "ButtonParentalControl": "For\u00e6ldrekontrol", + "HeaderInvitationSent": "Invitation sendt", + "MessageInvitationSentToUser": "En email er blevet sendt til {0}, hvori de er blevet anmodet om at acceptere din invitation.", + "MessageInvitationSentToNewUser": "En email er blevet sendt til {0} med en invitation til at oprette sig hos Emby.", + "HeaderConnectionFailure": "Forbindelsesfejl", + "MessageUnableToConnectToServer": "Vi kan ikke forbinde til den valgte server p\u00e5 nuv\u00e6rende tidspunkt. Sikrer dig venligst at serveren k\u00f8rer og pr\u00f8v igen.", "ButtonSelectServer": "V\u00e6lg server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "For at konfigurerer dette plugin log da venligst direkte ind p\u00e5 din lokale server.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Adgang er begr\u00e6nset p\u00e5 nuv\u00e6rende tidspunkt. Pr\u00f8v igen senere.", - "EmbyIntroDownloadMessage": "For at downloade og installere Emby bes\u00f8g {0}.", - "LabelProfile": "Profil:", + "DefaultErrorMessage": "Det opstod en fejl ved behandlingen af foresp\u00f8rgslen. Pr\u00f8v igen senere.", + "ButtonAccept": "Accepter", + "ButtonReject": "Afvis", + "HeaderForgotPassword": "Glemt adgangskode", + "MessageContactAdminToResetPassword": "Kontakt venligst din systemadministrator for at nulstille din adgangskode.", + "MessageForgotPasswordInNetworkRequired": "Pr\u00f8v igen inde i dit hjemmenetv\u00e6rk for at igangs\u00e6tte nulstilling af din adgangskode.", + "MessageForgotPasswordFileCreated": "Den f\u00f8lgende fil er blevet oprettet p\u00e5 din server og indeholder instruktioner vedr\u00f8rende hvordan du skal forts\u00e6tte:", + "MessageForgotPasswordFileExpiration": "Nulstillings pinkoden udl\u00f8ber {0}.", + "MessageInvalidForgotPasswordPin": "En ugyldig eller udl\u00f8bet pinkode blev indtastet. Pr\u00f8v igen.", + "MessagePasswordResetForUsers": "Adgangskoder er blevet fjernet fra f\u00f8lgende brugere:", + "HeaderInviteGuest": "Inviter g\u00e6st", + "ButtonLinkMyEmbyAccount": "Link min konto nu", + "MessageConnectAccountRequiredToInviteGuest": "For at invitere g\u00e6ster skal du f\u00f8rst k\u00e6de din Emby konto til denne server.", + "ButtonSync": "Sync", "SyncMedia": "Synkroniser medier", - "ButtonNewServer": "Ny server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Afbryd synkronisering", "CancelSyncJobConfirmation": "Afbrydelse af synkroniseringen vil fjerne medier fra enheden under n\u00e6ste synkroniseringsproces. Er du sikker p\u00e5 du \u00f8nsker at forts\u00e6tte?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "V\u00e6lg en enhed at synkroniserer til.", - "ButtonSignInWithConnect": "Log ind med Emby Connect", "MessageSyncJobCreated": "Synkroniserings job oprettet", "LabelSyncTo": "Synkroniser til:", - "LabelLimit": "Gr\u00e6nse:", "LabelSyncJobName": "Navn til synkroniserings job:", - "HeaderNewServer": "Ny server", - "ValueLinks": "Links: {0}", "LabelQuality": "Kvalitet:", - "MyDevice": "Min enhed", - "DefaultErrorMessage": "Det opstod en fejl ved behandlingen af foresp\u00f8rgslen. Pr\u00f8v igen senere.", - "ButtonRemote": "Fjernbetjening", - "ButtonAccept": "Accepter", - "ButtonReject": "Afvis", - "DashboardTourDashboard": "Betjeningspanelet g\u00f8r det muligt at monitorere din server og dine brugere. Du vil altid v\u00e6re i stand til at vide hvem der g\u00f8r hvad samt hvor de er.", - "DashboardTourUsers": "Opret let brugerkonti til dine venner og familie, hver med deres egne rettigheder, adgang til biblioteket, for\u00e6ldre-indstillinger samt meget mere.", - "DashboardTourCinemaMode": "Biograftilstand giver dig biografoplevelsen direkte ind i din stue, med muligheden for at vise trailere og brugerdefinerede introduktioner f\u00f8r hovedfilmen.", - "DashboardTourChapters": "Aktiver kapitelbillede-oprettelse for dine videoer for en mere behagelig pr\u00e6sentation mens du afspiller.", - "DashboardTourSubtitles": "Download automatisk undertekster til dine videoer in ethvert sprog.", - "DashboardTourPlugins": "Installer tilf\u00f8jelser s\u00e5 som internet videokanaler, live tv, metadata skannere samt meget mere.", - "DashboardTourNotifications": "Send automatisk notifikationer vedr\u00f8rende serverbegivenheder til dine mobile enheder, din email samt andre tjenester.", - "DashboardTourScheduledTasks": "Administrer let processer der l\u00f8ber over l\u00e6ngere tid via planlagte opgaver. Bestem hvorn\u00e5r de udf\u00f8res samt hvor ofte.", - "DashboardTourMobile": "Emby betjeningspanelet virker uden problemer p\u00e5 b\u00e5de smartphones og tablets. Kontrol over din server er altid ved dine fingrespidser hvor som helst, n\u00e5r som helst.", - "HeaderEpisodes": "Afsnit", - "HeaderSelectCustomIntrosPath": "V\u00e6lg sti til brugerdefinerede introduktioner", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Indstillinger", + "OptionAutomaticallySyncNewContent": "Synkroniser automatisk nyt indhold", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Synkroniser kun usete videoer", + "OptionSyncUnwatchedVideosOnlyHelp": "Kun usete videoer vil blive synkroniseret, og videoer vil blive fjernet fra enheden n\u00e5r de er blevet set.", + "LabelItemLimit": "Maks. filer:", + "LabelItemLimitHelp": "Valgfri. S\u00e6t en gr\u00e6nse for antallet af filer der synkroniseres.", + "MessageBookPluginRequired": "Kr\u00e6ver installation af Bookshelf tilf\u00f8jelsen", + "MessageGamePluginRequired": "Kr\u00e6ver installation af GameBrowser tilf\u00f8jelsen", + "MessageUnsetContentHelp": "Indhold vil blive vist som almindelige mapper. For det bedste resultat benyt metadata manageren til at v\u00e6lge indholdstypen i undermapper.", "SyncJobItemStatusQueued": "Sat i k\u00f8", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Konverterer", "SyncJobItemStatusTransferring": "Overf\u00f8rer", "SyncJobItemStatusSynced": "Synkroniseret", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Fejlet", - "TabPlayback": "Afspilning", "SyncJobItemStatusRemovedFromDevice": "Fjernet fra enhed", "SyncJobItemStatusCancelled": "Annulleret", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profil:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "For at downloade og installere Emby bes\u00f8g {0}.", + "ButtonNewServer": "Ny server", + "ButtonSignInWithConnect": "Log ind med Emby Connect", + "HeaderNewServer": "Ny server", + "MyDevice": "Min enhed", + "ButtonRemote": "Fjernbetjening", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scener", "HeaderUnlockApp": "Opl\u00e5s app", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "L\u00e5s alle funktionerne i denne app op med en lille engangsbetaling.", "MessageUnlockAppWithPurchaseOrSupporter": "L\u00e5s alle funktionerne i denne app op med en lille engangsbetaling eller ved at logge ind med et aktivt Emby Supporter medlemsskab.", "MessageUnlockAppWithSupporter": "L\u00e5s alle funktionerne i denne app op ved at logge ind med et aktivt Emby Supporter medlemsskab.", "MessageToValidateSupporter": "Hvis du har et aktivt Emby Supporter medlemsskab skal du blot logge ind i app'en mens du er p\u00e5 din Wifi forbindelse i dit eget hjem.", "MessagePaymentServicesUnavailable": "Betalingsservicen er ikke tilg\u00e6ngelig p\u00e5 nuv\u00e6rende tidspunkt. Pr\u00f8v igen senere.", "ButtonUnlockWithSupporter": "Log ind med et Emby Supporter medlemsskab", - "HeaderForgotPassword": "Glemt adgangskode", - "MessageContactAdminToResetPassword": "Kontakt venligst din systemadministrator for at nulstille din adgangskode.", - "MessageForgotPasswordInNetworkRequired": "Pr\u00f8v igen inde i dit hjemmenetv\u00e6rk for at igangs\u00e6tte nulstilling af din adgangskode.", "MessagePleaseSignInLocalNetwork": "F\u00f8r du forts\u00e6tter bedes du sikre dig at du har forbindelse til dit lokale netv\u00e6rk via Wifi eller Lan forbindelse.", - "MessageForgotPasswordFileCreated": "Den f\u00f8lgende fil er blevet oprettet p\u00e5 din server og indeholder instruktioner vedr\u00f8rende hvordan du skal forts\u00e6tte:", - "TabExpert": "Ekspert", - "HeaderInvitationSent": "Invitation sendt", - "MessageForgotPasswordFileExpiration": "Nulstillings pinkoden udl\u00f8ber {0}.", - "MessageInvitationSentToUser": "En email er blevet sendt til {0}, hvori de er blevet anmodet om at acceptere din invitation.", - "MessageInvalidForgotPasswordPin": "En ugyldig eller udl\u00f8bet pinkode blev indtastet. Pr\u00f8v igen.", "ButtonUnlockWithPurchase": "L\u00e5s op gennem k\u00f8b", - "TabExtras": "Ekstra", - "MessageInvitationSentToNewUser": "En email er blevet sendt til {0} med en invitation til at oprette sig hos Emby.", - "MessagePasswordResetForUsers": "Adgangskoder er blevet fjernet fra f\u00f8lgende brugere:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "Live TV Guiden er p\u00e5 nuv\u00e6rende tidspunkt begr\u00e6nset til {0} kanaler. Klik p\u00e5 \"L\u00e5s op\" knappen for at f\u00e5 mere at vide omkring hvordan du kan f\u00e5 den fulde oplevelse.", - "WebClientTourContent": "Se dit seneste tilf\u00f8jet media, kommende episoder samt mere. Den gr\u00f8nne cirkel indikerer hvor mange uafspillet elementer du har.", - "HeaderPeople": "Mennesker", "OptionEnableFullscreen": "Aktiver fuldsk\u00e6rm", - "WebClientTourMovies": "Afspil film, trailere samt andet fra hvilken som helst enhed med en browser", - "WebClientTourMouseOver": "Hold musen over enhver plakat for hurtig adgang til vigtig information", - "HeaderRateAndReview": "Bed\u00f8m og anmeld", - "ErrorMessageStartHourGreaterThanEnd": "Slut tid skal v\u00e6re st\u00f8rre end start tid.", - "WebClientTourTapHold": "Tryk og hold eller h\u00f8jreklik p\u00e5 enhver plakat for at \u00e5bne en menu for det valgte element", - "HeaderThankYou": "Tak", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Klik p\u00e5 rediger for at \u00e5bne metadata manageren", - "MessageThankYouForYourReview": "Tak for din anmeldelse", - "WebClientTourPlaylists": "Opret afspilningslister og instant mixes, og afspil dem p\u00e5 enhver enhed", - "LabelYourRating": "Din bed\u00f8mmelse:", - "WebClientTourCollections": "Opret filmsamlinger s\u00e5 film kan grupperes sammen", - "LabelFullReview": "Fuld anmeldelse:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "Brugerindstillinger g\u00f8r det muligt for dig at skr\u00e6ddersy m\u00e5den dit bibliotek pr\u00e6senteres i alle dine Emby apps", - "LabelShortRatingDescription": "Kort bed\u00f8mmelsesresum\u00e9:", - "WebClientTourUserPreferences2": "Konfigurer sproget p\u00e5 dine lyd og undertekstindstillinger \u00e9n gang for alle Emby apps", - "OptionIRecommendThisItem": "Jeg anbefaler dette", - "ButtonLinkMyEmbyAccount": "Link min konto nu", - "WebClientTourUserPreferences3": "Design webklient hjemmesiden til din egen smag", "HeaderLibrary": "Bibliotek", - "WebClientTourUserPreferences4": "V\u00e6lg baggrunde, temasange og eksterne afspillere", - "WebClientTourMobile1": "Webklienten virker perfekt p\u00e5 smartphones og tablets...", - "WebClientTourMobile2": "og styr let andre enheder og Emby apps", "HeaderMedia": "Medier", - "MessageEnjoyYourStay": "Nyd dit bes\u00f8g" + "ButtonInbox": "Indbakke", + "HeaderAdvanced": "Avanceret", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 d24f1b3e13..b79623ed02 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Einstellungen gespeichert", + "AddUser": "Benutzer hinzuf\u00fcgen", + "Users": "Benutzer", + "Delete": "L\u00f6schen", + "Administrator": "Administrator", + "Password": "Passwort", + "DeleteImage": "Bild l\u00f6schen", + "MessageThankYouForSupporting": "Vielen Dank das Sie Emby unterst\u00fctzen.", + "MessagePleaseSupportProject": "Bitte unterst\u00fctzen Sie Emby.", + "DeleteImageConfirmation": "M\u00f6chtest du dieses Bild wirklich l\u00f6schen?", + "FileReadCancelled": "Dateiimport wurde abgebrochen.", + "FileNotFound": "Datei nicht gefunden", + "FileReadError": "Beim Lesen der Datei ist ein Fehler aufgetreten.", + "DeleteUser": "Benutzer l\u00f6schen", + "DeleteUserConfirmation": "M\u00f6chtest du {0} wirklich l\u00f6schen?", + "PasswordResetHeader": "Passwort zur\u00fccksetzen", + "PasswordResetComplete": "Das Passwort wurde zur\u00fcckgesetzt.", + "PinCodeResetComplete": "Der PIN wurde zur\u00fcckgesetzt", + "PasswordResetConfirmation": "M\u00f6chtest du das Passwort wirklich zur\u00fccksetzen?", + "PinCodeResetConfirmation": "Sind Sie sich sicher, dass Sie Ihren PIN Code zur\u00fccksetzen m\u00f6chten?", + "HeaderPinCodeReset": "PIN Code zur\u00fccksetzen", + "PasswordSaved": "Passwort gespeichert", + "PasswordMatchError": "Die Passw\u00f6rter m\u00fcssen \u00fcbereinstimmen.", + "OptionRelease": "Offizielles Release", + "OptionBeta": "Beta", + "OptionDev": "Entwickler (instabil)", + "UninstallPluginHeader": "Plugin deinstallieren", + "UninstallPluginConfirmation": "M\u00f6chtest du {0} wirklich deinstallieren?", + "NoPluginConfigurationMessage": "Bei diesem Plugin kann nichts eingestellt werden.", + "NoPluginsInstalledMessage": "Du hast keine Plugins installiert.", + "BrowsePluginCatalogMessage": "Durchsuche unsere Bibliothek, um alle verf\u00fcgbaren Plugins anzuzeigen.", + "MessageKeyEmailedTo": "E-Mail mit Zugangsschl\u00fcssel an: {0}.", + "MessageKeysLinked": "Schl\u00fcssel verkn\u00fcpft.", + "HeaderConfirmation": "Best\u00e4tigung", + "MessageKeyUpdated": "Danke. Dein Unterst\u00fctzerschl\u00fcssel wurde aktualisiert.", + "MessageKeyRemoved": "Danke. Ihr Unterst\u00fctzerschl\u00fcssel wurde entfernt.", + "HeaderSupportTheTeam": "Unterst\u00fctzen Sie das Emby Team", + "TextEnjoyBonusFeatures": "Erleben Sie Bonus Funktionen", + "TitleLiveTV": "Live-TV", + "ButtonCancelSyncJob": "Synchronisationsjob abbrechen", + "TitleSync": "Synchronisation", + "HeaderSelectDate": "Datum w\u00e4hlen", + "ButtonDonate": "Spenden", + "LabelRecurringDonationCanBeCancelledHelp": "Fortlaufende Spenden k\u00f6nnen jederzeit \u00fcber deinen PayPal Account gek\u00fcndigt werden.", + "HeaderMyMedia": "Meine Medien", + "TitleNotifications": "Benachrichtigungen", + "ErrorLaunchingChromecast": "W\u00e4hrend des startens von Chromecast ist ein Fehler aufgetreten. Bitte stelle sicher, dass dein Ger\u00e4te mit dem WLAN verbunden ist.", + "MessageErrorLoadingSupporterInfo": "Es trat ein Fehler beim laden der Unterst\u00fctzer-Informationen auf. Bitte versuchen Sie es sp\u00e4ter erneut.", + "MessageLinkYourSupporterKey": "Verbinden Sie Ihren Unterst\u00fctzer-Schl\u00fcssel mit bis zu {0} Emby Connect Benutzern um kostenfreien Zugriff auf die folgenden Apps zu erhalten:", + "HeaderConfirmRemoveUser": "Entferne Benutzer", + "MessageSwipeDownOnRemoteControl": "Willkommen zur Fernbedienung. W\u00e4hlen Sie ein Ger\u00e4t durch Klick auf das Cast-Icon in der rechten oberen Ecke, um es fernzusteuern. Streichen Sie irgendwo auf dem Bildschirm nach unten um zur\u00fcck zu gehen.", + "MessageConfirmRemoveConnectSupporter": "M\u00f6chten Sie wirklich zus\u00e4tzliche Unterst\u00fctzer-Features von diesem Anwender entfernen?", + "ValueTimeLimitSingleHour": "Zeitlimit: 1 Stunde", + "ValueTimeLimitMultiHour": "Zeitlimit: {0} Stunden", + "HeaderUsers": "Benutzer", + "PluginCategoryGeneral": "Allgemein", + "PluginCategoryContentProvider": "Inhaltsanbieter", + "PluginCategoryScreenSaver": "Bildschirmschoner", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Synchronisation", + "PluginCategorySocialIntegration": "Soziale Netzwerke", + "PluginCategoryNotifications": "Benachrichtigungen", + "PluginCategoryMetadata": "Metadaten", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Kan\u00e4le", + "HeaderSearch": "Suche", + "ValueDateCreated": "Erstellungsdatum: {0}", + "LabelArtist": "Interpret", + "LabelMovie": "Film", + "LabelMusicVideo": "Musikvideo", + "LabelEpisode": "Episode", + "LabelSeries": "Serien", + "LabelStopping": "Stoppe", + "LabelCancelled": "(abgebrochen)", + "LabelFailed": "(fehlgeschlagen)", + "ButtonHelp": "Hilfe", + "ButtonSave": "Speichern", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Warten", + "SyncJobStatusConverting": "Konvertiere", + "SyncJobStatusFailed": "Fehlgeschlagen", + "SyncJobStatusCancelled": "Abgebrochen", + "SyncJobStatusCompleted": "Synchronisiert", + "SyncJobStatusReadyToTransfer": "Fertig zum Transfer", + "SyncJobStatusTransferring": "\u00dcbertrage", + "SyncJobStatusCompletedWithError": "Synchronisation mit Fehler", + "SyncJobItemStatusReadyToTransfer": "Fertig zum Transfer", + "LabelCollection": "Sammlung", + "HeaderAddToCollection": "Zur Sammlung hinzuf\u00fcgen", + "NewCollectionNameExample": "Beispiel: Star Wars Collection", + "OptionSearchForInternetMetadata": "Suche im Internet nach Bildmaterial und Metadaten", + "LabelSelectCollection": "W\u00e4hle Zusammenstellung:", + "HeaderDevices": "Ger\u00e4te", + "ButtonScheduledTasks": "Geplante Aufgaben", + "MessageItemsAdded": "Eintr\u00e4ge hinzugef\u00fcgt", + "ButtonAddToCollection": "Zu Sammlung hinzuf\u00fcgen", + "HeaderSelectCertificatePath": "W\u00e4hlen Sie einen Zertifikat Ordner", + "ConfirmMessageScheduledTaskButton": "Diese Aufgabe l\u00e4uft normalerweise automatisch als geplante Aufgabe. Sie kann jedoch auch manuell von hier gestartet werden. F\u00fcr Einstellungen der geplanten Aufgaben schauen Sie hier:", + "HeaderSupporterBenefit": "Eine Unterst\u00fctzer-Mitgliedschaft bietet weitere Funktionen wie z.B. Zugriff auf die Synchronisation, Premium-Plugins, Internet Kan\u00e4le und mehr. {0}Erfahren Sie mehr{1}.", + "LabelSyncNoTargetsHelp": "Es sieht so aus als w\u00fcrden Sie aktuell keine Apps verwenden, die Synchronisation unterst\u00fctzen.", + "HeaderWelcomeToProjectServerDashboard": "Willkommen zur Emby Server \u00dcbersicht", + "HeaderWelcomeToProjectWebClient": "Willkommen zu Emby", + "ButtonTakeTheTour": "Mache die Tour", + "HeaderWelcomeBack": "Willkommen zur\u00fcck!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Gehen Sie auf Erkundung und erfahren Sie was neu ist", + "MessageNoSyncJobsFound": "Keine Synchronisierungs-Aufgaben gefunden. Um Synchronisierungs-Aufgaben zu erstellen verwenden Sie die dazugeh\u00f6rige Funktion im Web-Interface.", + "ButtonPlayTrailer": "Trailer abspielen", + "HeaderLibraryAccess": "Bibliothekszugriff", + "HeaderChannelAccess": "Channelzugriff", + "HeaderDeviceAccess": "Ger\u00e4te Zugang", + "HeaderSelectDevices": "Ger\u00e4t w\u00e4hlen", + "ButtonCancelItem": "Datei abw\u00e4hlen", + "ButtonQueueForRetry": "F\u00fcr Wiederholung in die Warteschlange setzen", + "ButtonReenable": "Reaktivierung", + "ButtonLearnMore": "Erfahre mehr", + "SyncJobItemStatusSyncedMarkForRemoval": "F\u00fcr L\u00f6schung markiert", + "LabelAbortedByServerShutdown": "(Durch herunterfahrenden Server abgebrochen)", + "LabelScheduledTaskLastRan": "Zuletzt ausgef\u00fchrt vor: {0}. Ben\u00f6tigte Zeit: {1}.", + "HeaderDeleteTaskTrigger": "Entferne Aufgabenausl\u00f6ser", "HeaderTaskTriggers": "Aufgabenausl\u00f6ser", - "ButtonResetTuner": "Tuner zur\u00fccksetzen", - "ButtonRestart": "Neu starten", "MessageDeleteTaskTrigger": "Bist du dir sicher, dass du diesen Aufgabenausl\u00f6ser entfernen m\u00f6chtest?", - "HeaderResetTuner": "Tuner zur\u00fccksetzen", - "NewCollectionNameExample": "Beispiel: Star Wars Collection", "MessageNoPluginsInstalled": "Du hast keine Plugins installiert.", - "MessageConfirmResetTuner": "Bist du dir sicher, dass du diesen Tuner zur\u00fccksetzen m\u00f6chtest? Alle aktiven Wiedergaben und Aufnahmen werden sofort beendet.", - "OptionSearchForInternetMetadata": "Suche im Internet nach Bildmaterial und Metadaten", - "ButtonUpdateNow": "Jetzt aktualisieren", "LabelVersionInstalled": "{0} installiert", - "ButtonCancelSeries": "Serien abbrechen", "LabelNumberReviews": "{0} Bewertungen", - "LabelAllChannels": "Alle Kan\u00e4le", "LabelFree": "Frei", - "HeaderSeriesRecordings": "Aufgezeichnete Serien", + "HeaderPlaybackError": "Wiedergabefehler", + "MessagePlaybackErrorNotAllowed": "Sie sind nicht befugt diese Inhalte wiederzugeben. Bitte kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", + "MessagePlaybackErrorNoCompatibleStream": "Es sind keine kompatiblen Streams verf\u00fcgbar. Bitte versuchen Sie es sp\u00e4ter erneut oder kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", + "MessagePlaybackErrorRateLimitExceeded": "Ihr Wiedergabelimit wurde \u00fcberschritten. Bitte kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", + "MessagePlaybackErrorPlaceHolder": "Der gew\u00e4hlte Inhalt kann auf diesem Ger\u00e4t nicht abgespielt werden.", "HeaderSelectAudio": "W\u00e4hle Audio", - "LabelAnytime": "Jederzeit", "HeaderSelectSubtitles": "W\u00f6hle Untertitel", - "StatusRecording": "Aufnehmen", + "ButtonMarkForRemoval": "Entferne von Ger\u00e4t", + "ButtonUnmarkForRemoval": "Abbrechen von Entfernen von Ger\u00e4t", "LabelDefaultStream": "(Default)", - "StatusWatching": "Anschauing", "LabelForcedStream": "(Erzwungen)", - "StatusRecordingProgram": "Aufzeichnung {0}", "LabelDefaultForcedStream": "(Standard\/Erzwungen)", - "StatusWatchingProgram": "Gesehen {0}", "LabelUnknownLanguage": "Unbekannte Sprache", - "ButtonQueue": "Warteschlange", + "MessageConfirmSyncJobItemCancellation": "Bist du dir sicher, dass du diese Datei abw\u00e4hlen m\u00f6chtest?", + "ButtonMute": "Stumm", "ButtonUnmute": "Ton ein", - "LabelSyncNoTargetsHelp": "Es sieht so aus als w\u00fcrden Sie aktuell keine Apps verwenden, die Synchronisation unterst\u00fctzen.", - "HeaderSplitMedia": "Trenne Medien ab", + "ButtonStop": "Stop", + "ButtonNextTrack": "N\u00e4chstes St\u00fcck", + "ButtonPause": "Pause", + "ButtonPlay": "Abspielen", + "ButtonEdit": "Bearbeiten", + "ButtonQueue": "Warteschlange", "ButtonPlaylist": "Wiedergabeliste", - "MessageConfirmSplitMedia": "Bist du dir sicher, dass du die Medienquellen in separate Elemente aufteilen m\u00f6chtest?", - "HeaderError": "Fehler", + "ButtonPreviousTrack": "Vorheriges St\u00fcck", "LabelEnabled": "Aktivieren", - "HeaderSupporterBenefit": "Eine Unterst\u00fctzer-Mitgliedschaft bietet weitere Funktionen wie z.B. Zugriff auf die Synchronisation, Premium-Plugins, Internet Kan\u00e4le und mehr. {0}Erfahren Sie mehr{1}.", "LabelDisabled": "Deaktivieren", - "MessageTheFollowingItemsWillBeGrouped": "Die folgenden Titel werden zu einem Element gruppiert:", "ButtonMoreInformation": "mehr Informationen", - "MessageConfirmItemGrouping": "Emby Anwendungen w\u00e4hlen automatisch die beste Version anhand des Ger\u00e4tes und der Netzwerkgeschwindigkeit. Sind Sie sich sicher?", "LabelNoUnreadNotifications": "Keine ungelesenen Benachrichtigungen", "ButtonViewNotifications": "Benachrichtigungen anschauen", - "HeaderFavoriteAlbums": "Lieblingsalben", "ButtonMarkTheseRead": "Als gelesen markieren", - "HeaderLatestChannelMedia": "Neueste Channel Inhalte", "ButtonClose": "Schlie\u00dfen", - "ButtonOrganizeFile": "Organisiere Datei", - "ButtonLearnMore": "Erfahre mehr", - "TabEpisodes": "Episoden", "LabelAllPlaysSentToPlayer": "Alle Wiedergaben werden zum ausgew\u00e4hlten Abspielger\u00e4t gesendet.", - "ButtonDeleteFile": "L\u00f6sche Datei", "MessageInvalidUser": "Falscher Benutzername oder Passwort. Bitte versuche es noch einmal.", - "HeaderOrganizeFile": "Organisiere Datei", - "HeaderAudioTracks": "Audiospuren", + "HeaderLoginFailure": "Login Fehler", + "HeaderAllRecordings": "Alle Aufnahmen", "RecommendationBecauseYouLike": "Weil du auch {0} magst", - "HeaderDeleteFile": "L\u00f6sche Datei", - "ButtonAdd": "Hinzuf\u00fcgen", - "HeaderSubtitles": "Untertitel", - "ButtonView": "Ansicht", "RecommendationBecauseYouWatched": "Weil du auch {0} angesehen hast", - "StatusSkipped": "\u00dcbersprungen", - "HeaderVideoQuality": "Videoqualit\u00e4t", "RecommendationDirectedBy": "Unter der Regie von {0}", - "StatusFailed": "Fehlgeschlagen", - "MessageErrorPlayingVideo": "Es gab einen Fehler bei der Videowiedergabe.", "RecommendationStarring": "In der Hauptrolle {0}", - "StatusSuccess": "Erfolgreich", - "MessageEnsureOpenTuner": "Bitte stelle sicher, dass ein freier Empf\u00e4nger verf\u00fcgbar ist.", "HeaderConfirmRecordingCancellation": "Best\u00e4tige Aufzeichnungsabbruch", - "MessageFileWillBeDeleted": "Die folgende Datei wird gel\u00f6scht:", - "ButtonDashboard": "\u00dcbersicht", "MessageConfirmRecordingCancellation": "Bis du dir sicher, diese Aufzeichnung abzubrechen?", - "MessageSureYouWishToProceed": "Bis du dir sicher fortfahren zu wollen?", - "ButtonHelp": "Hilfe", - "ButtonReports": "Berichte", - "HeaderUnrated": "Nicht bewertet", "MessageRecordingCancelled": "Aufzeichnung abgebrochen.", - "MessageDuplicatesWillBeDeleted": "Zus\u00e4tzlich werden folgende Duplikate gel\u00f6scht:", - "ButtonMetadataManager": "Metadaten Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Aus", + "HeaderConfirmSeriesCancellation": "Best\u00e4tige Serienabbruch", + "MessageConfirmSeriesCancellation": "Bis du dir sicher, diese Serie abzubrechen?", + "MessageSeriesCancelled": "Serie abgebrochen.", "HeaderConfirmRecordingDeletion": "Best\u00e4tige L\u00f6schung der Aufzeichnung", - "MessageFollowingFileWillBeMovedFrom": "Die folgende Datei wird verschoben von:", - "HeaderTime": "Zeit", - "HeaderUnknownDate": "Unbekanntes Datum", - "OptionOn": "Ein", "MessageConfirmRecordingDeletion": "Bis du dir sicher, diese Aufzeichnung zu l\u00f6schen?", - "MessageDestinationTo": "nach:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unbekanntes Jahr", - "OptionRelease": "Offizielles Release", "MessageRecordingDeleted": "Aufnahme gel\u00f6scht", - "HeaderSelectWatchFolder": "W\u00e4hle \"Gesehen\" Verzeichnis", - "HeaderAlbumArtist": "Album-Interpret", - "HeaderMyViews": "Meine Ansichten", - "ValueMinutes": "{0} Minuten", - "OptionBeta": "Beta", "ButonCancelRecording": "Aufnahme abbrechen", - "HeaderSelectWatchFolderHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von \"Gesehen\" Informationen an. Das Verzeichnis muss beschreibbar sein.", - "HeaderArtist": "Interpret", - "OptionDev": "Entwickler (instabil)", "MessageRecordingSaved": "Aufnahme gespeichert", - "OrganizePatternResult": "Ergebnis: {0}", - "HeaderLatestTvRecordings": "Neueste Aufnahmen", - "UninstallPluginHeader": "Plugin deinstallieren", - "ButtonMute": "Stumm", - "HeaderRestart": "Neustart", - "UninstallPluginConfirmation": "M\u00f6chtest du {0} wirklich deinstallieren?", - "HeaderShutdown": "Herunterfahren", - "NoPluginConfigurationMessage": "Bei diesem Plugin kann nichts eingestellt werden.", - "MessageConfirmRestart": "M\u00f6chten Sie Emby Server wirklich neu starten?", - "MessageConfirmRevokeApiKey": "M\u00f6chten Sie diesen API Schl\u00fcssel wirklich l\u00f6schen? Die Verbindung der Anwendung zum Emby Server wird sofort unterbrochen.", - "NoPluginsInstalledMessage": "Du hast keine Plugins installiert.", - "MessageConfirmShutdown": "M\u00f6chsten Sie Emby Server wirklich beenden?", - "HeaderConfirmRevokeApiKey": "Nehme API Schl\u00fcssel zur\u00fcck", - "BrowsePluginCatalogMessage": "Durchsuche unsere Bibliothek, um alle verf\u00fcgbaren Plugins anzuzeigen.", - "NewVersionOfSomethingAvailable": "Eine neue Version von {0} ist verf\u00fcgbar!", - "VersionXIsAvailableForDownload": "Version {0} ist jetzt bereit zum download.", - "TextEnjoyBonusFeatures": "Erleben Sie Bonus Funktionen", - "ButtonHome": "Home", + "OptionSunday": "Sonntag", + "OptionMonday": "Montag", + "OptionTuesday": "Dienstag", + "OptionWednesday": "Mittwoch", + "OptionThursday": "Donnerstag", + "OptionFriday": "Freitag", + "OptionSaturday": "Samstag", + "OptionEveryday": "T\u00e4glich", "OptionWeekend": "Wochenenden", - "ButtonSettings": "Einstellungen", "OptionWeekday": "Wochentage", - "OptionEveryday": "T\u00e4glich", - "HeaderMediaFolders": "Medienverzeichnisse", - "ValueDateCreated": "Erstellungsdatum: {0}", - "MessageItemsAdded": "Eintr\u00e4ge hinzugef\u00fcgt", - "HeaderScenes": "Szenen", - "HeaderNotifications": "Benachrichtigungen", - "HeaderSelectPlayer": "W\u00e4hle Abspielger\u00e4t:", - "ButtonAddToCollection": "Zu Sammlung hinzuf\u00fcgen", - "HeaderSelectCertificatePath": "W\u00e4hlen Sie einen Zertifikat Ordner", - "LabelBirthDate": "Geburtsdatum:", - "HeaderSelectPath": "Verzeichnis W\u00e4hlen", - "ButtonPlayTrailer": "Trailer abspielen", - "HeaderLibraryAccess": "Bibliothekszugriff", - "HeaderChannelAccess": "Channelzugriff", - "MessageChromecastConnectionError": "Ihr Chromecast kann keine Verbindung mit dem Emby Server herstellen. Bitte \u00fcberpr\u00fcfen Sie die Verbindung und probieren Sie es erneut.", - "TitleNotifications": "Benachrichtigungen", - "MessageChangeRecurringPlanConfirm": "Nach vollendeter Bezahlung m\u00fcssen Sie Ihre zuvor gemachten Dauer-Spenden in Ihrem PayPal Konto beenden. Vielen Dank das Sie Emby unterst\u00fctzen.", - "MessageSupporterMembershipExpiredOn": "Deine Unterst\u00fctzer Mitgliedschaft endet am {0}.", - "MessageYouHaveALifetimeMembership": "Sie besitzen eine lebenslange Unterst\u00fctzer-Mitgliedschaft. Sie k\u00f6nnen zus\u00e4tzliche Spenden als Einmal-Zahlung oder als wiederkehrende Zahlungen t\u00e4tigen. Vielen Dank das Sie Emby unterst\u00fctzen.", - "SyncJobStatusConverting": "Konvertiere", - "MessageYouHaveAnActiveRecurringMembership": "Du hast eine aktive {0} Mitgliedschaft. Du kannst deine Mitgliedschaft durch folgende Optionen aufwerten.", - "SyncJobStatusFailed": "Fehlgeschlagen", - "SyncJobStatusCancelled": "Abgebrochen", - "SyncJobStatusTransferring": "\u00dcbertrage", - "FolderTypeUnset": "Keine Auswahl (gemischter Inhalt)", + "HeaderConfirmDeletion": "Best\u00e4tige L\u00f6schung", + "MessageConfirmPathSubstitutionDeletion": "Bist du dir sicher die Pfadsubstitution l\u00f6schen zu wollen?", + "LiveTvUpdateAvailable": "(Update verf\u00fcgbar)", + "LabelVersionUpToDate": "Auf dem neuesten Stand!", + "ButtonResetTuner": "Tuner zur\u00fccksetzen", + "HeaderResetTuner": "Tuner zur\u00fccksetzen", + "MessageConfirmResetTuner": "Bist du dir sicher, dass du diesen Tuner zur\u00fccksetzen m\u00f6chtest? Alle aktiven Wiedergaben und Aufnahmen werden sofort beendet.", + "ButtonCancelSeries": "Serien abbrechen", + "HeaderSeriesRecordings": "Aufgezeichnete Serien", + "LabelAnytime": "Jederzeit", + "StatusRecording": "Aufnehmen", + "StatusWatching": "Anschauing", + "StatusRecordingProgram": "Aufzeichnung {0}", + "StatusWatchingProgram": "Gesehen {0}", + "HeaderSplitMedia": "Trenne Medien ab", + "MessageConfirmSplitMedia": "Bist du dir sicher, dass du die Medienquellen in separate Elemente aufteilen m\u00f6chtest?", + "HeaderError": "Fehler", + "MessageChromecastConnectionError": "Ihr Chromecast kann keine Verbindung mit dem Emby Server herstellen. Bitte \u00fcberpr\u00fcfen Sie die Verbindung und probieren Sie es erneut.", + "MessagePleaseSelectOneItem": "Bitte w\u00e4hle mindestens eine Option aus.", + "MessagePleaseSelectTwoItems": "Bitte w\u00e4hle mindestens zwei Optionen aus.", + "MessageTheFollowingItemsWillBeGrouped": "Die folgenden Titel werden zu einem Element gruppiert:", + "MessageConfirmItemGrouping": "Emby Anwendungen w\u00e4hlen automatisch die beste Version anhand des Ger\u00e4tes und der Netzwerkgeschwindigkeit. Sind Sie sich sicher?", + "HeaderResume": "Fortsetzen", + "HeaderMyViews": "Meine Ansichten", + "HeaderLibraryFolders": "Medienverzeichnisse", + "HeaderLatestMedia": "Neueste Medien", + "ButtonMoreItems": "Mehr...", + "ButtonMore": "Mehr", + "HeaderFavoriteMovies": "Lieblingsfilme", + "HeaderFavoriteShows": "Lieblingsserien", + "HeaderFavoriteEpisodes": "Lieblingsepisoden", + "HeaderFavoriteGames": "Lieblingsspiele", + "HeaderRatingsDownloads": "Bewertung \/ Downloads", + "HeaderConfirmProfileDeletion": "Best\u00e4tige Profill\u00f6schung", + "MessageConfirmProfileDeletion": "Bist du dir sicher, dass du dieses Profil l\u00f6schen m\u00f6chtest?", + "HeaderSelectServerCachePath": "W\u00e4hle Server Cache Pfad:", + "HeaderSelectTranscodingPath": "W\u00e4hle Pfad f\u00fcr tempor\u00e4re Transkodierdateien", + "HeaderSelectImagesByNamePath": "W\u00e4hle 'Images By Name' Pfad", + "HeaderSelectMetadataPath": "W\u00e4hle Metadaten Pfad", + "HeaderSelectServerCachePathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Server Cache Dateien an. Das Verzeichnis muss beschreibbar sein.", + "HeaderSelectTranscodingPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von tempor\u00e4ren Transkodierdateien an. Das Verzeichnis muss beschreibbar sein.", + "HeaderSelectImagesByNamePathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Namensdaten an. Das Verzeichnis muss beschreibbar sein.", + "HeaderSelectMetadataPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Metadaten an. Das Verzeichnis muss beschreibbar sein.", + "HeaderSelectChannelDownloadPath": "W\u00e4hle den Downloadpfad f\u00fcr Channel Plugins", + "HeaderSelectChannelDownloadPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Channel Cache Dateien an. Das Verzeichnis muss beschreibbar sein.", + "OptionNewCollection": "Neu...", + "ButtonAdd": "Hinzuf\u00fcgen", + "ButtonRemove": "Entfernen", "LabelChapterDownloaders": "Kapitel Downloader:", "LabelChapterDownloadersHelp": "Aktiviere und ordne die Kapitel Downloader nach deinen Pr\u00e4ferenzen. Downloader mit geringer Priorit\u00e4t werden nur genutzt um fehlende Informationen zu erg\u00e4nzen.", - "HeaderUsers": "Benutzer", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "Installiere f\u00fcr die besten Ergebnisse mit dem Internet Explorer bitte das WebM Playback Plugin.", - "HeaderResume": "Fortsetzen", - "HeaderVideoError": "Video Fehler", + "HeaderFavoriteAlbums": "Lieblingsalben", + "HeaderLatestChannelMedia": "Neueste Channel Inhalte", + "ButtonOrganizeFile": "Organisiere Datei", + "ButtonDeleteFile": "L\u00f6sche Datei", + "HeaderOrganizeFile": "Organisiere Datei", + "HeaderDeleteFile": "L\u00f6sche Datei", + "StatusSkipped": "\u00dcbersprungen", + "StatusFailed": "Fehlgeschlagen", + "StatusSuccess": "Erfolgreich", + "MessageFileWillBeDeleted": "Die folgende Datei wird gel\u00f6scht:", + "MessageSureYouWishToProceed": "Bis du dir sicher fortfahren zu wollen?", + "MessageDuplicatesWillBeDeleted": "Zus\u00e4tzlich werden folgende Duplikate gel\u00f6scht:", + "MessageFollowingFileWillBeMovedFrom": "Die folgende Datei wird verschoben von:", + "MessageDestinationTo": "nach:", + "HeaderSelectWatchFolder": "W\u00e4hle \"Gesehen\" Verzeichnis", + "HeaderSelectWatchFolderHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von \"Gesehen\" Informationen an. Das Verzeichnis muss beschreibbar sein.", + "OrganizePatternResult": "Ergebnis: {0}", + "HeaderRestart": "Neustart", + "HeaderShutdown": "Herunterfahren", + "MessageConfirmRestart": "M\u00f6chten Sie Emby Server wirklich neu starten?", + "MessageConfirmShutdown": "M\u00f6chsten Sie Emby Server wirklich beenden?", + "ButtonUpdateNow": "Jetzt aktualisieren", + "ValueItemCount": "{0} Eintrag", + "ValueItemCountPlural": "{0} Eintr\u00e4ge", + "NewVersionOfSomethingAvailable": "Eine neue Version von {0} ist verf\u00fcgbar!", + "VersionXIsAvailableForDownload": "Version {0} ist jetzt bereit zum download.", + "LabelVersionNumber": "Version {0}", + "LabelPlayMethodTranscoding": "Transkodieren", + "LabelPlayMethodDirectStream": "Direktes Streaming", + "LabelPlayMethodDirectPlay": "Direktes Abspielen", + "LabelEpisodeNumber": "Episodennummer:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Lokale Adresse: {0}", + "LabelRemoteAccessUrl": "Fernzugriff: {0}", + "LabelRunningOnPort": "L\u00e4uft \u00fcber HTTP Port: {0}", + "LabelRunningOnPorts": "L\u00e4uft \u00fcber HTTP Port {0} und HTTPS Port {1}.", + "HeaderLatestFromChannel": "Neuestes von {0}", + "LabelUnknownLanaguage": "Unbekannte Sprache", + "HeaderCurrentSubtitles": "Aktuelle Untertitel", + "MessageDownloadQueued": "Der Download wurde in die Warteschlange verschoben.", + "MessageAreYouSureDeleteSubtitles": "Bist du dir sicher diese Untertitel Datei l\u00f6schen zu wollen?", "ButtonRemoteControl": "Fernsteuerung", - "TabSongs": "Songs", - "TabAlbums": "Alben", - "MessageFeatureIncludedWithSupporter": "Du bist f\u00fcr diese Funktion registriert und kannst diese durch eine aktive Unterst\u00fctzer Mitgliedschaft weiterhin nutzen.", + "HeaderLatestTvRecordings": "Neueste Aufnahmen", + "ButtonOk": "Ok", + "ButtonCancel": "Abbrechen", + "ButtonRefresh": "Aktualisieren", + "LabelCurrentPath": "Aktueller Pfad:", + "HeaderSelectMediaPath": "W\u00e4hle einen Medienpfad:", + "HeaderSelectPath": "Verzeichnis W\u00e4hlen", + "ButtonNetwork": "Netzwerk", + "MessageDirectoryPickerInstruction": "Falls der Netzwerk Button deine Endger\u00e4te nicht automatisch findet, kannst du deren Netzwerkpfade auch manuell eintragen. Zum Beispiel {0} oder {1}.", + "HeaderMenu": "Men\u00fc", + "ButtonOpen": "\u00d6ffnen", + "ButtonOpenInNewTab": "\u00d6ffne in neuem Tab", + "ButtonShuffle": "Zufallswiedergabe", + "ButtonInstantMix": "Schnellmix", + "ButtonResume": "Fortsetzen", + "HeaderScenes": "Szenen", + "HeaderAudioTracks": "Audiospuren", + "HeaderLibraries": "Bibliotheken", + "HeaderSubtitles": "Untertitel", + "HeaderVideoQuality": "Videoqualit\u00e4t", + "MessageErrorPlayingVideo": "Es gab einen Fehler bei der Videowiedergabe.", + "MessageEnsureOpenTuner": "Bitte stelle sicher, dass ein freier Empf\u00e4nger verf\u00fcgbar ist.", + "ButtonHome": "Home", + "ButtonDashboard": "\u00dcbersicht", + "ButtonReports": "Berichte", + "ButtonMetadataManager": "Metadaten Manager", + "HeaderTime": "Zeit", + "HeaderName": "Name", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album-Interpret", + "HeaderArtist": "Interpret", + "LabelAddedOnDate": "Hinzugef\u00fcgt {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Staffelnummer:", + "HeaderChannels": "Kan\u00e4le", + "HeaderMediaFolders": "Medienverzeichnisse", + "HeaderBlockItemsWithNoRating": "Blockiere Inhalte ohne Altersfreigabe:", + "OptionBlockOthers": "Andere", + "OptionBlockTvShows": "TV Serien", + "OptionBlockTrailers": "Trailer", + "OptionBlockMusic": "Musik", + "OptionBlockMovies": "Filme", + "OptionBlockBooks": "B\u00fccher", + "OptionBlockGames": "Spiele", + "OptionBlockLiveTvPrograms": "Live-TV Programm", + "OptionBlockLiveTvChannels": "Live-TV Kan\u00e4le", + "OptionBlockChannelContent": "Internet Channelinhalte", + "ButtonRevoke": "Zur\u00fccknehmen", + "MessageConfirmRevokeApiKey": "M\u00f6chten Sie diesen API Schl\u00fcssel wirklich l\u00f6schen? Die Verbindung der Anwendung zum Emby Server wird sofort unterbrochen.", + "HeaderConfirmRevokeApiKey": "Nehme API Schl\u00fcssel zur\u00fcck", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Musikvideos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Neueste Bewertungen", - "HeaderDevices": "Ger\u00e4te", "ValueConditions": "Bedingungen: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "Alle", - "MessageAlreadyInstalled": "Diese Version ist bereits installiert", "HeaderDeleteImage": "L\u00f6sche Bild", - "ValueReviewCount": "{0} Bewertungen", "MessageFileNotFound": "Datei nicht gefunden.", - "MessageYouHaveVersionInstalled": "Du hast momentan Version {0} installiert.", "MessageFileReadError": "Fehler beim lesen der Datei", - "MessageTrialExpired": "Die Testzeitraum f\u00fcr diese Funktion in ausgelaufen", "ButtonNextPage": "N\u00e4chste Seite", - "OptionWatched": "Gesehen", - "MessageTrialWillExpireIn": "Der Testzeitraum f\u00fcr diese Funktion wird in {0} Tag(en) auslaufen", "ButtonPreviousPage": "Vorherige Seite", - "OptionUnwatched": "Nicht gesehen", - "MessageInstallPluginFromApp": "Dieses Plugin muss von der App aus installiert werden, mit der du es benutzen willst.", - "OptionRuntime": "Dauer", - "HeaderMyMedia": "Meine Medien", "ButtonMoveLeft": "Nach links", - "ExternalPlayerPlaystateOptionsHelp": "Lege fest, wie die Wiedergabe dieses Videos das n\u00e4chste mal fortgesetzt werden soll.", - "ValuePriceUSD": "Preis: {0} (USD)", "OptionReleaseDate": "Ver\u00f6ffentlichungsdatum", "ButtonMoveRight": "Nach rechts", - "LabelMarkAs": "Markieren als:", "ButtonBrowseOnlineImages": "Durchsuche Onlinebilder", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Bitte akzeptieren Sie die Nutzungsbedingungen bevor sie fortfahren.", - "OptionInProgress": "Im Gange", "HeaderDeleteItem": "L\u00f6sche Element", - "ButtonUninstall": "Deinstallieren", - "LabelResumePoint": "Fortsetzungspunkt", "ConfirmDeleteItem": "L\u00f6schen dieses Eintrages bedeutet das L\u00f6schen der Datei und das Entfernen aus der Medien-Bibliothek. M\u00f6chten Sie wirklich fortfahren?", - "ValueOneMovie": "1 Film", - "ValueItemCount": "{0} Eintrag", "MessagePleaseEnterNameOrId": "Bitte gib einen Namen oder eine externe Id an.", - "ValueMovieCount": "{0} Filme", - "PluginCategoryGeneral": "Allgemein", - "ValueItemCountPlural": "{0} Eintr\u00e4ge", "MessageValueNotCorrect": "Der eingegeben Wert ist nicht korrekt. Bitte versuche es noch einmal.", - "ValueOneTrailer": "1 Trailer", "MessageItemSaved": "Element gespeichert", - "HeaderWelcomeBack": "Willkommen zur\u00fcck!", - "ValueTrailerCount": "{0} Trailer", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Bitte akzeptieren Sie die Nutzungsbedingungen bevor sie fortfahren.", + "OptionEnded": "Beendent", + "OptionContinuing": "Fortdauernd", + "OptionOff": "Aus", + "OptionOn": "Ein", + "ButtonSettings": "Einstellungen", + "ButtonUninstall": "Deinstallieren", "HeaderFields": "Felder", - "ButtonTakeTheTourToSeeWhatsNew": "Gehen Sie auf Erkundung und erfahren Sie was neu ist", - "ValueOneSeries": "1 Serie", - "PluginCategoryContentProvider": "Inhaltsanbieter", "HeaderFieldsHelp": "Verschiebe ein Feld zu \"Aus\" um es zu sperren und \u00c4nderungen an dessen Daten zu verhindern.", - "ValueSeriesCount": "{0} Serien", "HeaderLiveTV": "Live-TV", - "ValueOneEpisode": "1 Episode", - "LabelRecurringDonationCanBeCancelledHelp": "Fortlaufende Spenden k\u00f6nnen jederzeit \u00fcber deinen PayPal Account gek\u00fcndigt werden.", - "ButtonRevoke": "Zur\u00fccknehmen", "MissingLocalTrailer": "Fehlender lokaler Trailer.", - "ValueEpisodeCount": "{0} Episoden", - "PluginCategoryScreenSaver": "Bildschirmschoner", - "ButtonMore": "Mehr", "MissingPrimaryImage": "Fehlendes Hauptbild.", - "ValueOneGame": "1 Spiel", - "HeaderFavoriteMovies": "Lieblingsfilme", "MissingBackdropImage": "Fehlendes Hintergrundbild.", - "ValueGameCount": "{0} Spiele", - "HeaderFavoriteShows": "Lieblingsserien", "MissingLogoImage": "Fehlendes Logobild.", - "ValueOneAlbum": "1 Album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Lieblingsepisoden", "MissingEpisode": "Fehlende Episode", - "ValueAlbumCount": "{0} Alben", - "HeaderFavoriteGames": "Lieblingsspiele", - "MessagePlaybackErrorPlaceHolder": "Der gew\u00e4hlte Inhalt kann auf diesem Ger\u00e4t nicht abgespielt werden.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 Lied", - "HeaderRatingsDownloads": "Bewertung \/ Downloads", "OptionBackdrops": "Hintergr\u00fcnde", - "MessageErrorLoadingSupporterInfo": "Es trat ein Fehler beim laden der Unterst\u00fctzer-Informationen auf. Bitte versuchen Sie es sp\u00e4ter erneut.", - "ValueSongCount": "{0} Lieder", - "PluginCategorySync": "Synchronisation", - "HeaderConfirmProfileDeletion": "Best\u00e4tige Profill\u00f6schung", - "HeaderSelectDate": "Datum w\u00e4hlen", - "ValueOneMusicVideo": "1 Musikvideo", - "MessageConfirmProfileDeletion": "Bist du dir sicher, dass du dieses Profil l\u00f6schen m\u00f6chtest?", "OptionImages": "Bilder", - "ValueMusicVideoCount": "{0} Musikvideos", - "HeaderSelectServerCachePath": "W\u00e4hle Server Cache Pfad:", "OptionKeywords": "Stichworte", - "MessageLinkYourSupporterKey": "Verbinden Sie Ihren Unterst\u00fctzer-Schl\u00fcssel mit bis zu {0} Emby Connect Benutzern um kostenfreien Zugriff auf die folgenden Apps zu erhalten:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Soziale Netzwerke", - "HeaderSelectTranscodingPath": "W\u00e4hle Pfad f\u00fcr tempor\u00e4re Transkodierdateien", - "MessageThankYouForSupporting": "Vielen Dank das Sie Emby unterst\u00fctzen.", "OptionTags": "Tags", - "HeaderUnaired": "Nicht ausgestrahlt", - "HeaderSelectImagesByNamePath": "W\u00e4hle 'Images By Name' Pfad", "OptionStudios": "Studios", - "HeaderMissing": "Fehlend", - "HeaderSelectMetadataPath": "W\u00e4hle Metadaten Pfad", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Entferne Benutzer", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Benachrichtigungen", - "HeaderSelectServerCachePathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Server Cache Dateien an. Das Verzeichnis muss beschreibbar sein.", - "SyncJobStatusQueued": "Warten", "OptionOverview": "\u00dcbersicht:", - "TooltipFavorite": "Favorit", - "HeaderSelectTranscodingPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von tempor\u00e4ren Transkodierdateien an. Das Verzeichnis muss beschreibbar sein.", - "ButtonCancelItem": "Datei abw\u00e4hlen", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Geplante Aufgaben", - "ValueTimeLimitSingleHour": "Zeitlimit: 1 Stunde", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Namensdaten an. Das Verzeichnis muss beschreibbar sein.", - "SyncJobStatusCompleted": "Synchronisiert", + "OptionParentalRating": "Altersfreigabe", "OptionPeople": "Personen", - "MessageConfirmRemoveConnectSupporter": "M\u00f6chten Sie wirklich zus\u00e4tzliche Unterst\u00fctzer-Features von diesem Anwender entfernen?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadaten", - "HeaderSelectMetadataPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Metadaten an. Das Verzeichnis muss beschreibbar sein.", - "ButtonQueueForRetry": "F\u00fcr Wiederholung in die Warteschlange setzen", - "SyncJobStatusCompletedWithError": "Synchronisation mit Fehler", + "OptionRuntime": "Dauer", "OptionProductionLocations": "Produktionsst\u00e4tten", - "ButtonDonate": "Spenden", - "TooltipPlayed": "Gespielt", "OptionBirthLocation": "Geburtsort", - "ValueTimeLimitMultiHour": "Zeitlimit: {0} Stunden", - "ValueSeriesYearToPresent": "{0}-heute", - "ButtonReenable": "Reaktivierung", + "LabelAllChannels": "Alle Kan\u00e4le", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "Diese Aufgabe l\u00e4uft normalerweise automatisch als geplante Aufgabe. Sie kann jedoch auch manuell von hier gestartet werden. F\u00fcr Einstellungen der geplanten Aufgaben schauen Sie hier:", - "ValueAwards": "Auszeichnungen: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEU", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "F\u00fcr L\u00f6schung markiert", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Einnahmen: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "\u00c4ndere Inhalte Typ", - "ButtonQueueAllFromHere": "Setze alles von hier auf Warteschlange", - "ValuePremiered": "Premiere {0}", - "PluginCategoryChannel": "Kan\u00e4le", - "HeaderLibraryFolders": "Medienverzeichnisse", - "ButtonMarkForRemoval": "Entferne von Ger\u00e4t", "HeaderChangeFolderTypeHelp": "Um den Typ zu \u00e4ndern, entferne diesen bitte und erstelle die Bibliothek mit dem neuen Ordnertyp erneut.", - "ButtonPlayAllFromHere": "Spiele alles von hier", - "ValuePremieres": "Premieren {0}", "HeaderAlert": "Alarm", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Abbrechen von Entfernen von Ger\u00e4t", "MessagePleaseRestart": "Dr\u00fccke auf Neustart um das Update abzuschlie\u00dfen", - "HeaderIdentify": "Identifiziere Element", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Neu starten", "MessagePleaseRefreshPage": "Bitte aktualisiere diese Seite um neue Updates vom Server zu erhalten.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Bist du dir sicher, dass du diese Datei abw\u00e4hlen m\u00f6chtest?", "ButtonHide": "Verstecke", - "LabelTitleDisplayOrder": "Reihenfolge Titeldarstellung:", - "ButtonViewSeriesRecording": "Zeige Serienaufnahmen an", "MessageSettingsSaved": "Einstellungen gespeichert", - "OptionSortName": "Sortiername", - "ValueOriginalAirDate": "Urspr\u00fcngliches Ausstrahlungsdatum: {0}", - "HeaderLibraries": "Bibliotheken", "ButtonSignOut": "Abmelden", - "ButtonOk": "Ok", "ButtonMyProfile": "Mein Profil", - "ButtonCancel": "Abbrechen", "ButtonMyPreferences": "Meine Einstellungen", - "LabelDiscNumber": "Disc Nummer", "MessageBrowserDoesNotSupportWebSockets": "Dieser Browser unterst\u00fctzt keine Websockets. Versuche f\u00fcr ein besseres Nutzungserlebnis einen neueren Browser wie beispielsweise Chrome, Firefox, IE10+, Safari (iOS) oder Opera.", - "LabelParentNumber": "Ursprungsnummer", "LabelInstallingPackage": "Installiere {0}", - "TitleSync": "Synchronisation", "LabelPackageInstallCompleted": "{0} Installation abgeschlossen", - "LabelTrackNumber": "St\u00fcck Nummer:", "LabelPackageInstallFailed": "{0} Installation fehlgeschlagen", - "LabelNumber": "Nummer:", "LabelPackageInstallCancelled": "{0} Installation abgebrochen", - "LabelReleaseDate": "Ver\u00f6ffentlichungsdatum:", + "TabServer": "Server", "TabUsers": "Benutzer", - "LabelEndDate": "Endzeit:", "TabLibrary": "Bibliothek", - "LabelYear": "Jahr:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Geburtsatum:", "TabLiveTV": "Live-TV", - "LabelBirthYear": "Geburtsjahr:", "TabAutoOrganize": "Autom.Organisation", - "LabelDeathDate": "Todesdatum:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Entferne Medienquelle", - "HeaderDeviceAccess": "Ger\u00e4te Zugang", + "TabAdvanced": "Erweitert", "TabHelp": "Hilfe", - "MessageConfirmRemoveMediaLocation": "Bist du dir sicher diese Medienquelle entfernen zu wollen?", - "HeaderSelectDevices": "Ger\u00e4t w\u00e4hlen", "TabScheduledTasks": "Geplante Aufgaben", - "HeaderRenameMediaFolder": "Benenne Medienverzeichnis um", - "LabelNewName": "Neuer Name:", - "HeaderLatestFromChannel": "Neuestes von {0}", - "HeaderAddMediaFolder": "F\u00fcge Medienverzeichnis hinzu", - "ButtonQuality": "Qualit\u00e4t", - "HeaderAddMediaFolderHelp": "Name (Filme, Musik, TV, etc):", "ButtonFullscreen": "Vollbild", - "HeaderRemoveMediaFolder": "Entferne Medienverzeichnis", - "ButtonScenes": "Szenen", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "Die folgenden Medienverzeichnisse werden aus deiner Bibliothek entfernt:", - "ErrorLaunchingChromecast": "W\u00e4hrend des startens von Chromecast ist ein Fehler aufgetreten. Bitte stelle sicher, dass dein Ger\u00e4te mit dem WLAN verbunden ist.", - "ButtonSubtitles": "Untertitel", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Bist du dir sicher dieses Medienverzeichnis entfernen zu wollen?", - "MessagePleaseSelectOneItem": "Bitte w\u00e4hle mindestens eine Option aus.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Umbenennen", - "MessagePleaseSelectTwoItems": "Bitte w\u00e4hle mindestens zwei Optionen aus.", - "ButtonPreviousTrack": "Vorheriges St\u00fcck", - "ButtonChangeType": "\u00c4ndere Typ", - "HeaderSelectChannelDownloadPath": "W\u00e4hle den Downloadpfad f\u00fcr Channel Plugins", - "ButtonNextTrack": "N\u00e4chstes St\u00fcck", - "HeaderMediaLocations": "Medienquellen", - "HeaderSelectChannelDownloadPathHelp": "Suche oder gib den Pfad f\u00fcr die Speicherung von Channel Cache Dateien an. Das Verzeichnis muss beschreibbar sein.", - "ButtonStop": "Stop", - "OptionNewCollection": "Neu...", - "ButtonPause": "Pause", - "TabMovies": "Filme", - "LabelPathSubstitutionHelp": "Optional: Die Pfadersetzung kann Serverpfade zu Netzwerkfreigaben umleiten, die von Endger\u00e4ten f\u00fcr die direkte Wiedergabe genutzt werden k\u00f6nnen.", - "TabTrailers": "Trailer", - "FolderTypeMovies": "Filme", - "LabelCollection": "Sammlung", - "FolderTypeMusic": "Musik", - "FolderTypeAdultVideos": "Videos f\u00fcr Erwachsene", - "HeaderAddToCollection": "Zur Sammlung hinzuf\u00fcgen", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Best\u00e4tigen", - "FolderTypeMusicVideos": "Musikvideos", - "SettingsSaved": "Einstellungen gespeichert", - "OptionParentalRating": "Altersfreigabe", - "FolderTypeHomeVideos": "Heimvideos", - "AddUser": "Benutzer hinzuf\u00fcgen", - "HeaderMenu": "Men\u00fc", - "FolderTypeGames": "Spiele", - "Users": "Benutzer", - "ButtonRefresh": "Aktualisieren", - "PinCodeResetComplete": "Der PIN wurde zur\u00fcckgesetzt", - "ButtonOpen": "\u00d6ffnen", - "FolderTypeBooks": "B\u00fccher", - "Delete": "L\u00f6schen", - "LabelCurrentPath": "Aktueller Pfad:", - "TabAdvanced": "Erweitert", - "ButtonOpenInNewTab": "\u00d6ffne in neuem Tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "W\u00e4hle einen Medienpfad:", - "PinCodeResetConfirmation": "Sind Sie sich sicher, dass Sie Ihren PIN Code zur\u00fccksetzen m\u00f6chten?", - "ButtonShuffle": "Zufallswiedergabe", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Geburtsort: {0}", - "Password": "Passwort", - "ButtonNetwork": "Netzwerk", - "OptionContinuing": "Fortdauernd", - "ButtonInstantMix": "Schnellmix", - "DeathDateValue": "Gestorben: {0}", - "MessageDirectoryPickerInstruction": "Falls der Netzwerk Button deine Endger\u00e4te nicht automatisch findet, kannst du deren Netzwerkpfade auch manuell eintragen. Zum Beispiel {0} oder {1}.", - "HeaderPinCodeReset": "PIN Code zur\u00fccksetzen", - "OptionEnded": "Beendent", - "ButtonResume": "Fortsetzen", + "ButtonSubtitles": "Untertitel", + "ButtonScenes": "Szenen", + "ButtonQuality": "Qualit\u00e4t", + "HeaderNotifications": "Benachrichtigungen", + "HeaderSelectPlayer": "W\u00e4hle Abspielger\u00e4t:", + "ButtonSelect": "Ausw\u00e4hlen", + "ButtonNew": "Neu", + "MessageInternetExplorerWebm": "Installiere f\u00fcr die besten Ergebnisse mit dem Internet Explorer bitte das WebM Playback Plugin.", + "HeaderVideoError": "Video Fehler", "ButtonAddToPlaylist": "Hinzuf\u00fcgen zur Wiedergabeliste", - "BirthDateValue": "Geboren: {0}", - "ButtonMoreItems": "Mehr...", - "DeleteImage": "Bild l\u00f6schen", "HeaderAddToPlaylist": "Zur Wiedergabeliste hinzuf\u00fcgen", - "LabelSelectCollection": "W\u00e4hle Zusammenstellung:", - "MessageNoSyncJobsFound": "Keine Synchronisierungs-Aufgaben gefunden. Um Synchronisierungs-Aufgaben zu erstellen verwenden Sie die dazugeh\u00f6rige Funktion im Web-Interface.", - "ButtonRemoveFromPlaylist": "Von Wiedergabeliste entfernen", - "DeleteImageConfirmation": "M\u00f6chtest du dieses Bild wirklich l\u00f6schen?", - "HeaderLoginFailure": "Login Fehler", - "OptionSunday": "Sonntag", + "LabelName": "Name:", + "ButtonSubmit": "Best\u00e4tigen", "LabelSelectPlaylist": "Wiedergabeliste", - "LabelContentTypeValue": "Inhalte Typ: {0}", - "FileReadCancelled": "Dateiimport wurde abgebrochen.", - "OptionMonday": "Montag", "OptionNewPlaylist": "Neue Wiedergabeliste...", - "FileNotFound": "Datei nicht gefunden", - "HeaderPlaybackError": "Wiedergabefehler", - "OptionTuesday": "Dienstag", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Beim Lesen der Datei ist ein Fehler aufgetreten.", - "HeaderName": "Name", - "OptionWednesday": "Mittwoch", - "OptionCollections": "Sammlungen", - "DeleteUser": "Benutzer l\u00f6schen", - "OptionThursday": "Donnerstag", - "OptionSeries": "Serien", - "DeleteUserConfirmation": "M\u00f6chtest du {0} wirklich l\u00f6schen?", - "MessagePlaybackErrorNotAllowed": "Sie sind nicht befugt diese Inhalte wiederzugeben. Bitte kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", - "OptionFriday": "Freitag", - "OptionSeasons": "Staffeln", - "PasswordResetHeader": "Passwort zur\u00fccksetzen", - "OptionSaturday": "Samstag", - "OptionGames": "Spiele", - "PasswordResetComplete": "Das Passwort wurde zur\u00fcckgesetzt.", + "ButtonView": "Ansicht", + "ButtonViewSeriesRecording": "Zeige Serienaufnahmen an", + "ValueOriginalAirDate": "Urspr\u00fcngliches Ausstrahlungsdatum: {0}", + "ButtonRemoveFromPlaylist": "Von Wiedergabeliste entfernen", "HeaderSpecials": "Extras", - "OptionGameSystems": "Spielsysteme", - "PasswordResetConfirmation": "M\u00f6chtest du das Passwort wirklich zur\u00fccksetzen?", - "MessagePlaybackErrorNoCompatibleStream": "Es sind keine kompatiblen Streams verf\u00fcgbar. Bitte versuchen Sie es sp\u00e4ter erneut oder kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", "HeaderTrailers": "Trailer", - "OptionMusicArtists": "Musik-Interpreten", - "PasswordSaved": "Passwort gespeichert", "HeaderAudio": "Audio", - "OptionMusicAlbums": "Musik-Alben", - "PasswordMatchError": "Die Passw\u00f6rter m\u00fcssen \u00fcbereinstimmen.", "HeaderResolution": "Aufl\u00f6sung", - "LabelFailed": "(fehlgeschlagen)", - "OptionMusicVideos": "Musik-Videos", - "MessagePlaybackErrorRateLimitExceeded": "Ihr Wiedergabelimit wurde \u00fcberschritten. Bitte kontaktieren Sie Ihren Systemadministrator f\u00fcr weitere Details.", "HeaderVideo": "Video", - "ButtonSelect": "Ausw\u00e4hlen", - "LabelVersionNumber": "Version {0}", - "OptionSongs": "Lieder", "HeaderRuntime": "Laufzeit", - "LabelPlayMethodTranscoding": "Transkodieren", - "OptionHomeVideos": "Heim-Videos", - "ButtonSave": "Speichern", "HeaderCommunityRating": "Community Bewertung", - "LabelSeries": "Serien", - "LabelPlayMethodDirectStream": "Direktes Streaming", - "OptionBooks": "B\u00fccher", + "HeaderPasswordReset": "Passwort zur\u00fccksetzen", "HeaderParentalRating": "Alterseinstufung", - "LabelSeasonNumber": "Staffelnummer:", - "HeaderChannels": "Kan\u00e4le", - "LabelPlayMethodDirectPlay": "Direktes Abspielen", - "OptionAdultVideos": "Videos f\u00fcr Erwachsene", - "ButtonDownload": "Download", "HeaderReleaseDate": "Ver\u00f6ffentlichungsdatum", - "LabelEpisodeNumber": "Episodennummer:", - "LabelAudioCodec": "Audio: {0}", - "ButtonUp": "Hoch", - "LabelUnknownLanaguage": "Unbekannte Sprache", "HeaderDateAdded": "Hinzugef\u00fcgt am", - "LabelVideoCodec": "Video: {0}", - "ButtonDown": "Runter", - "HeaderCurrentSubtitles": "Aktuelle Untertitel", - "ButtonPlayExternalPlayer": "Auf externem Ger\u00e4t abspielen", "HeaderSeries": "Serien", - "TabServer": "Server", - "TabSeries": "Serie", - "LabelRemoteAccessUrl": "Fernzugriff: {0}", - "LabelMetadataReaders": "Metadatenleser:", - "MessageDownloadQueued": "Der Download wurde in die Warteschlange verschoben.", - "HeaderSelectExternalPlayer": "W\u00e4hle externes Abspielger\u00e4t aus", "HeaderSeason": "Staffel", - "HeaderSupportTheTeam": "Unterst\u00fctzen Sie das Emby Team", - "LabelRunningOnPort": "L\u00e4uft \u00fcber HTTP Port: {0}", - "LabelMetadataReadersHelp": "Lege deine bevorzugte lokale Metadatenquelle fest und ordne sie nach Priorit\u00e4ten. Die erste Datei die gefunden wird, wird verwendet.", - "MessageAreYouSureDeleteSubtitles": "Bist du dir sicher diese Untertitel Datei l\u00f6schen zu wollen?", - "HeaderExternalPlayerPlayback": "Wiedergabe auf externem Abspielger\u00e4t", "HeaderSeasonNumber": "Staffel Nummer", - "LabelRunningOnPorts": "L\u00e4uft \u00fcber HTTP Port {0} und HTTPS Port {1}.", - "LabelMetadataDownloaders": "Metadatendownloader:", - "ButtonImDone": "Ich bin fertig", "HeaderNetwork": "Netzwerk", - "LabelMetadataDownloadersHelp": "Aktiviere und ordne deine bevorzugten Metadatendownloader nach Pr\u00e4ferenzen. Downloader mit niedriger Priorit\u00e4t werden nur genutzt um fehlende Informationen zu erg\u00e4nzen.", - "HeaderLatestMedia": "Neueste Medien", "HeaderYear": "Jahr", - "LabelMetadataSavers": "Metadatenspeicherer:", "HeaderGameSystem": "Spielesystem", - "MessagePleaseSupportProject": "Bitte unterst\u00fctzen Sie Emby.", - "LabelMetadataSaversHelp": "W\u00e4hle das Dateiformat in dem deine Metadaten gespeichert werden sollen.", "HeaderPlayers": "Abspielger\u00e4te", - "LabelImageFetchers": "Bildquellen", "HeaderEmbeddedImage": "Integriertes Bild", - "ButtonNew": "Neu", - "LabelImageFetchersHelp": "Aktiviere und ordne deine bevorzugten Bildquellen nach Pr\u00e4ferenzen.", - "MessageSwipeDownOnRemoteControl": "Willkommen zur Fernbedienung. W\u00e4hlen Sie ein Ger\u00e4t durch Klick auf das Cast-Icon in der rechten oberen Ecke, um es fernzusteuern. Streichen Sie irgendwo auf dem Bildschirm nach unten um zur\u00fcck zu gehen.", "HeaderTrack": "St\u00fcck", - "HeaderWelcomeToProjectServerDashboard": "Willkommen zur Emby Server \u00dcbersicht", - "TabMetadata": "Metadata", "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Willkommen zu Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Hinzugef\u00fcgt {0}", - "ButtonRemove": "Entfernen", - "ButtonStart": "Start", - "HeaderEmbyAccountAdded": "Emby Konto hinzugef\u00fcgt", - "HeaderBlockItemsWithNoRating": "Blockiere Inhalte ohne Altersfreigabe:", - "LabelLocalAccessUrl": "Lokale Adresse: {0}", - "OptionBlockOthers": "Andere", - "SyncJobStatusReadyToTransfer": "Fertig zum Transfer", - "OptionBlockTvShows": "TV Serien", - "SyncJobItemStatusReadyToTransfer": "Fertig zum Transfer", - "MessageEmbyAccountAdded": "Das Emby Konto wurde diesem Benutzer hinzugef\u00fcgt.", - "OptionBlockTrailers": "Trailer", - "OptionBlockMusic": "Musik", - "OptionBlockMovies": "Filme", - "HeaderAllRecordings": "Alle Aufnahmen", - "MessagePendingEmbyAccountAdded": "Das Emby Konto wurde diesem Benutzer hinzugef\u00fcgt. Eine Emails wird an den Besitzer dieses Kontos gesendet. Die Einladung muss mit einem Klick auf den Link in der Email best\u00e4tigt werden.", - "OptionBlockBooks": "B\u00fccher", - "ButtonPlay": "Abspielen", - "OptionBlockGames": "Spiele", - "MessageKeyEmailedTo": "E-Mail mit Zugangsschl\u00fcssel an: {0}.", - "TabGames": "Spiele", - "ButtonEdit": "Bearbeiten", - "OptionBlockLiveTvPrograms": "Live-TV Programm", - "MessageKeysLinked": "Schl\u00fcssel verkn\u00fcpft.", - "HeaderEmbyAccountRemoved": "Emby Konto entfernt", - "OptionBlockLiveTvChannels": "Live-TV Kan\u00e4le", - "HeaderConfirmation": "Best\u00e4tigung", - "ButtonDelete": "L\u00f6schen", - "OptionBlockChannelContent": "Internet Channelinhalte", - "MessageKeyUpdated": "Danke. Dein Unterst\u00fctzerschl\u00fcssel wurde aktualisiert.", - "MessageKeyRemoved": "Danke. Ihr Unterst\u00fctzerschl\u00fcssel wurde entfernt.", "OptionMovies": "Filme", - "MessageEmbyAccontRemoved": "Das Emby Konto wurde von diesem Benutzer entfernt.", - "HeaderSearch": "Suche", + "OptionCollections": "Sammlungen", + "OptionSeries": "Serien", + "OptionSeasons": "Staffeln", "OptionEpisodes": "Episoden", - "LabelArtist": "Interpret", - "LabelMovie": "Film", - "HeaderPasswordReset": "Passwort zur\u00fccksetzen", - "TooltipLinkedToEmbyConnect": "Verbunden mit Emby Connect", - "LabelMusicVideo": "Musikvideo", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Durch herunterfahrenden Server abgebrochen)", - "HeaderConfirmSeriesCancellation": "Best\u00e4tige Serienabbruch", - "LabelStopping": "Stoppe", - "MessageConfirmSeriesCancellation": "Bis du dir sicher, diese Serie abzubrechen?", - "LabelCancelled": "(abgebrochen)", - "MessageSeriesCancelled": "Serie abgebrochen.", - "HeaderConfirmDeletion": "Best\u00e4tige L\u00f6schung", - "MessageConfirmPathSubstitutionDeletion": "Bist du dir sicher die Pfadsubstitution l\u00f6schen zu wollen?", - "LabelScheduledTaskLastRan": "Zuletzt ausgef\u00fchrt vor: {0}. Ben\u00f6tigte Zeit: {1}.", - "LiveTvUpdateAvailable": "(Update verf\u00fcgbar)", - "TitleLiveTV": "Live-TV", - "HeaderDeleteTaskTrigger": "Entferne Aufgabenausl\u00f6ser", - "LabelVersionUpToDate": "Auf dem neuesten Stand!", - "ButtonTakeTheTour": "Mache die Tour", - "ButtonInbox": "Posteingang", - "HeaderPlotKeywords": "Handlungsstichworte", - "HeaderTags": "Tags", - "TabCast": "Darsteller", - "WebClientTourMySync": "Synchronisieren Sie pers\u00f6nliche Medien mit Ihren Ger\u00e4ten um diese offline anzuschauen.", - "TabScenes": "Szenen", - "DashboardTourSync": "Synchronisieren Sie pers\u00f6nliche Medien mit Ihren Ger\u00e4ten um diese offline anzuschauen.", - "MessageRefreshQueued": "Warteschlange aktualisieren", - "DashboardTourHelp": "Die In-App-Hilfe Schaltfl\u00e4che bietet eine schnelle M\u00f6glichkeit um eine Wiki-Seite zum aktuellen Inhalt zu \u00f6ffnen.", - "DeviceLastUsedByUserName": "Zuletzt genutzt von {0}", - "HeaderDeleteDevice": "Ger\u00e4t l\u00f6schen", - "DeleteDeviceConfirmation": "Bist du dir sicher dieses Ger\u00e4t l\u00f6schen zu wollen? Es wird wieder angezeigt werden, sobald sich ein Uder dar\u00fcber einloggt.", - "LabelEnableCameraUploadFor": "Aktiviere den Kamera-Upload f\u00fcr:", - "HeaderSelectUploadPath": "W\u00e4hle Upload Pfad", - "LabelEnableCameraUploadForHelp": "Uploads erscheinen automatisch im Hintergrund wenn Sie mit Emby verbunden sind.", - "ButtonLibraryAccess": "Bibliothekszugang", - "ButtonParentalControl": "Kindersicherung", - "TabDevices": "Ger\u00e4te", - "LabelItemLimit": "Maximale Anzahl:", - "HeaderAdvanced": "Erweitert", - "LabelItemLimitHelp": "Optional. Legen Sie die maximale Anzahl der zu synchronisierenden Eintr\u00e4ge fest.", - "MessageBookPluginRequired": "Setzt die Installation des Bookshelf-Plugins voraus.", + "OptionGames": "Spiele", + "OptionGameSystems": "Spielsysteme", + "OptionMusicArtists": "Musik-Interpreten", + "OptionMusicAlbums": "Musik-Alben", + "OptionMusicVideos": "Musik-Videos", + "OptionSongs": "Lieder", + "OptionHomeVideos": "Heim-Videos", + "OptionBooks": "B\u00fccher", + "OptionAdultVideos": "Videos f\u00fcr Erwachsene", + "ButtonUp": "Hoch", + "ButtonDown": "Runter", + "LabelMetadataReaders": "Metadatenleser:", + "LabelMetadataReadersHelp": "Lege deine bevorzugte lokale Metadatenquelle fest und ordne sie nach Priorit\u00e4ten. Die erste Datei die gefunden wird, wird verwendet.", + "LabelMetadataDownloaders": "Metadatendownloader:", + "LabelMetadataDownloadersHelp": "Aktiviere und ordne deine bevorzugten Metadatendownloader nach Pr\u00e4ferenzen. Downloader mit niedriger Priorit\u00e4t werden nur genutzt um fehlende Informationen zu erg\u00e4nzen.", + "LabelMetadataSavers": "Metadatenspeicherer:", + "LabelMetadataSaversHelp": "W\u00e4hle das Dateiformat in dem deine Metadaten gespeichert werden sollen.", + "LabelImageFetchers": "Bildquellen", + "LabelImageFetchersHelp": "Aktiviere und ordne deine bevorzugten Bildquellen nach Pr\u00e4ferenzen.", + "ButtonQueueAllFromHere": "Setze alles von hier auf Warteschlange", + "ButtonPlayAllFromHere": "Spiele alles von hier", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identifiziere Element", + "PersonTypePerson": "Person", + "LabelTitleDisplayOrder": "Reihenfolge Titeldarstellung:", + "OptionSortName": "Sortiername", + "LabelDiscNumber": "Disc Nummer", + "LabelParentNumber": "Ursprungsnummer", + "LabelTrackNumber": "St\u00fcck Nummer:", + "LabelNumber": "Nummer:", + "LabelReleaseDate": "Ver\u00f6ffentlichungsdatum:", + "LabelEndDate": "Endzeit:", + "LabelYear": "Jahr:", + "LabelDateOfBirth": "Geburtsatum:", + "LabelBirthYear": "Geburtsjahr:", + "LabelBirthDate": "Geburtsdatum:", + "LabelDeathDate": "Todesdatum:", + "HeaderRemoveMediaLocation": "Entferne Medienquelle", + "MessageConfirmRemoveMediaLocation": "Bist du dir sicher diese Medienquelle entfernen zu wollen?", + "HeaderRenameMediaFolder": "Benenne Medienverzeichnis um", + "LabelNewName": "Neuer Name:", + "HeaderAddMediaFolder": "F\u00fcge Medienverzeichnis hinzu", + "HeaderAddMediaFolderHelp": "Name (Filme, Musik, TV, etc):", + "HeaderRemoveMediaFolder": "Entferne Medienverzeichnis", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "Die folgenden Medienverzeichnisse werden aus deiner Bibliothek entfernt:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Bist du dir sicher dieses Medienverzeichnis entfernen zu wollen?", + "ButtonRename": "Umbenennen", + "ButtonChangeType": "\u00c4ndere Typ", + "HeaderMediaLocations": "Medienquellen", + "LabelContentTypeValue": "Inhalte Typ: {0}", + "LabelPathSubstitutionHelp": "Optional: Die Pfadersetzung kann Serverpfade zu Netzwerkfreigaben umleiten, die von Endger\u00e4ten f\u00fcr die direkte Wiedergabe genutzt werden k\u00f6nnen.", + "FolderTypeUnset": "Keine Auswahl (gemischter Inhalt)", + "FolderTypeMovies": "Filme", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Videos f\u00fcr Erwachsene", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Musikvideos", + "FolderTypeHomeVideos": "Heimvideos", + "FolderTypeGames": "Spiele", + "FolderTypeBooks": "B\u00fccher", + "FolderTypeTvShows": "TV", + "TabMovies": "Filme", + "TabSeries": "Serie", + "TabEpisodes": "Episoden", + "TabTrailers": "Trailer", + "TabGames": "Spiele", + "TabAlbums": "Alben", + "TabSongs": "Songs", + "TabMusicVideos": "Musikvideos", + "BirthPlaceValue": "Geburtsort: {0}", + "DeathDateValue": "Gestorben: {0}", + "BirthDateValue": "Geboren: {0}", + "HeaderLatestReviews": "Neueste Bewertungen", + "HeaderPluginInstallation": "Plugin Installation", + "MessageAlreadyInstalled": "Diese Version ist bereits installiert", + "ValueReviewCount": "{0} Bewertungen", + "MessageYouHaveVersionInstalled": "Du hast momentan Version {0} installiert.", + "MessageTrialExpired": "Die Testzeitraum f\u00fcr diese Funktion in ausgelaufen", + "MessageTrialWillExpireIn": "Der Testzeitraum f\u00fcr diese Funktion wird in {0} Tag(en) auslaufen", + "MessageInstallPluginFromApp": "Dieses Plugin muss von der App aus installiert werden, mit der du es benutzen willst.", + "ValuePriceUSD": "Preis: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Du bist f\u00fcr diese Funktion registriert und kannst diese durch eine aktive Unterst\u00fctzer Mitgliedschaft weiterhin nutzen.", + "MessageChangeRecurringPlanConfirm": "Nach vollendeter Bezahlung m\u00fcssen Sie Ihre zuvor gemachten Dauer-Spenden in Ihrem PayPal Konto beenden. Vielen Dank das Sie Emby unterst\u00fctzen.", + "MessageSupporterMembershipExpiredOn": "Deine Unterst\u00fctzer Mitgliedschaft endet am {0}.", + "MessageYouHaveALifetimeMembership": "Sie besitzen eine lebenslange Unterst\u00fctzer-Mitgliedschaft. Sie k\u00f6nnen zus\u00e4tzliche Spenden als Einmal-Zahlung oder als wiederkehrende Zahlungen t\u00e4tigen. Vielen Dank das Sie Emby unterst\u00fctzen.", + "MessageYouHaveAnActiveRecurringMembership": "Du hast eine aktive {0} Mitgliedschaft. Du kannst deine Mitgliedschaft durch folgende Optionen aufwerten.", + "ButtonDelete": "L\u00f6schen", + "HeaderEmbyAccountAdded": "Emby Konto hinzugef\u00fcgt", + "MessageEmbyAccountAdded": "Das Emby Konto wurde diesem Benutzer hinzugef\u00fcgt.", + "MessagePendingEmbyAccountAdded": "Das Emby Konto wurde diesem Benutzer hinzugef\u00fcgt. Eine Emails wird an den Besitzer dieses Kontos gesendet. Die Einladung muss mit einem Klick auf den Link in der Email best\u00e4tigt werden.", + "HeaderEmbyAccountRemoved": "Emby Konto entfernt", + "MessageEmbyAccontRemoved": "Das Emby Konto wurde von diesem Benutzer entfernt.", + "TooltipLinkedToEmbyConnect": "Verbunden mit Emby Connect", + "HeaderUnrated": "Nicht bewertet", + "ValueDiscNumber": "Disc {0}", + "HeaderUnknownDate": "Unbekanntes Datum", + "HeaderUnknownYear": "Unbekanntes Jahr", + "ValueMinutes": "{0} Minuten", + "ButtonPlayExternalPlayer": "Auf externem Ger\u00e4t abspielen", + "HeaderSelectExternalPlayer": "W\u00e4hle externes Abspielger\u00e4t aus", + "HeaderExternalPlayerPlayback": "Wiedergabe auf externem Abspielger\u00e4t", + "ButtonImDone": "Ich bin fertig", + "OptionWatched": "Gesehen", + "OptionUnwatched": "Nicht gesehen", + "ExternalPlayerPlaystateOptionsHelp": "Lege fest, wie die Wiedergabe dieses Videos das n\u00e4chste mal fortgesetzt werden soll.", + "LabelMarkAs": "Markieren als:", + "OptionInProgress": "Im Gange", + "LabelResumePoint": "Fortsetzungspunkt", + "ValueOneMovie": "1 Film", + "ValueMovieCount": "{0} Filme", + "ValueOneTrailer": "1 Trailer", + "ValueTrailerCount": "{0} Trailer", + "ValueOneSeries": "1 Serie", + "ValueSeriesCount": "{0} Serien", + "ValueOneEpisode": "1 Episode", + "ValueEpisodeCount": "{0} Episoden", + "ValueOneGame": "1 Spiel", + "ValueGameCount": "{0} Spiele", + "ValueOneAlbum": "1 Album", + "ValueAlbumCount": "{0} Alben", + "ValueOneSong": "1 Lied", + "ValueSongCount": "{0} Lieder", + "ValueOneMusicVideo": "1 Musikvideo", + "ValueMusicVideoCount": "{0} Musikvideos", + "HeaderOffline": "Offline", + "HeaderUnaired": "Nicht ausgestrahlt", + "HeaderMissing": "Fehlend", + "ButtonWebsite": "Website", + "TooltipFavorite": "Favorit", + "TooltipLike": "Like", + "TooltipDislike": "Dislike", + "TooltipPlayed": "Gespielt", + "ValueSeriesYearToPresent": "{0}-heute", + "ValueAwards": "Auszeichnungen: {0}", + "ValueBudget": "Budget: {0}", + "ValueRevenue": "Einnahmen: {0}", + "ValuePremiered": "Premiere {0}", + "ValuePremieres": "Premieren {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studios: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links {0}", + "HeaderPeople": "Personen", "HeaderCastAndCrew": "Besetzung & Mitwirkende", - "MessageGamePluginRequired": "Setzt die Installation des GameBrowser-Plugins voraus.", "ValueArtist": "K\u00fcnstler: {0}", "ValueArtists": "K\u00fcnstler: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Kamerahersteller", "MediaInfoCameraModel": "Kamera-Modell", "MediaInfoAltitude": "H\u00f6he", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "L\u00e4nge", "MediaInfoShutterSpeed": "Verschlusszeit", "MediaInfoSoftware": "Software", - "TabNotifications": "Benachrichtigungen", "HeaderIfYouLikeCheckTheseOut": "Wenn du {0} magst, schau dir einmal das an...", + "HeaderPlotKeywords": "Handlungsstichworte", "HeaderMovies": "Filme", "HeaderAlbums": "Alben", "HeaderGames": "Spiele", - "HeaderConnectionFailure": "Verbindungsfehler", "HeaderBooks": "B\u00fccher", - "MessageUnableToConnectToServer": "Wir k\u00f6nnen gerade keine Verbindung zum gew\u00e4hlten Server herstellen. Bitte stellen Sie sicher das dieser l\u00e4uft und versuchen Sie es erneut.", - "MessageUnsetContentHelp": "Inhalte werden als Verzeichnisse dargestellt. F\u00fcr eine besser Anzeige nutzen Sie nach M\u00f6glichkeit den Meta-Data Manager und w\u00e4hlen Sie einen Medien-Typen f\u00fcr Unterverzeichnisse.", + "HeaderEpisodes": "Episoden", "HeaderSeasons": "Staffeln", "HeaderTracks": "Lieder", "HeaderItems": "Inhalte", @@ -653,153 +632,178 @@ "ButtonFullReview": "Vollst\u00e4ndige Bewertung", "ValueAsRole": "als {0}", "ValueGuestStar": "Gaststar", - "HeaderInviteGuest": "Lade G\u00e4ste ein", "MediaInfoSize": "Gr\u00f6\u00dfe", "MediaInfoPath": "Pfad", - "MessageConnectAccountRequiredToInviteGuest": "Um G\u00e4ste einladen zu k\u00f6nnen, m\u00fcssen Sie erst Ihr Emby Konto mit diesem Server verbinden.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Voreinstellung", "MediaInfoForced": "Erzwungen", - "HeaderSettings": "Einstellungen", "MediaInfoExternal": "Extern", - "OptionAutomaticallySyncNewContent": "Synchronisiere neue Inhalte automatisch", "MediaInfoTimestamp": "Zeitstempel", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixelformat", - "OptionSyncUnwatchedVideosOnly": "Synchronisiere nur ungesehene Videos.", "MediaInfoBitDepth": "Bit-Tiefe", - "OptionSyncUnwatchedVideosOnlyHelp": "Nur ungesehene Video werden synchronisiert. Videos werden entfernt sobald diese auf dem Ger\u00e4t angeschaut wurden.", "MediaInfoSampleRate": "Sample-Rate", - "ButtonSync": "Synchronisieren", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Kan\u00e4le", "MediaInfoLayout": "Darstellung", "MediaInfoLanguage": "Sprache", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profil", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Seitenverh\u00e4ltnis", "MediaInfoResolution": "Aufl\u00f6sung", "MediaInfoAnamorphic": "Anamorph", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Daten", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Untertitel", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Eingebettetes Bild", "MediaInfoRefFrames": "Ref Frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", - "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", + "TabPlayback": "Wiedergabe", + "TabNotifications": "Benachrichtigungen", + "TabExpert": "Experte", + "HeaderSelectCustomIntrosPath": "W\u00e4hle einen benutzerdefinierten Pfad f\u00fcr Intros", + "HeaderRateAndReview": "Bewerten und Kommentieren", + "HeaderThankYou": "Danke", + "MessageThankYouForYourReview": "Vielen Dank f\u00fcr deine Bewertung.", + "LabelYourRating": "Deine Bewertung:", + "LabelFullReview": "Vollst\u00e4ndige Bewertung:", + "LabelShortRatingDescription": "Kurze Zusammenfassung der Bewertung:", + "OptionIRecommendThisItem": "Ich schlage diesen Inhalt vor", + "WebClientTourContent": "Schaue deine zuletzt hinzugef\u00fcgten Medien, n\u00e4chste Episoden und mehr an. Die gr\u00fcnen Kreise zeigen dir an, wie viele ungesehene Inhalte du hast.", + "WebClientTourMovies": "Spiele Filme, Trailer und mehr von jedem Ger\u00e4t mit einem Web-Browser", + "WebClientTourMouseOver": "Halte die Maus \u00fcber ein Plakat f\u00fcr den schnellen Zugriff auf wichtige Informationen", + "WebClientTourTapHold": "Tippe und halte, oder klicke auf ein Plakat f\u00fcr ein Kontextmen\u00fc", + "WebClientTourMetadataManager": "Klicke auf \"Bearbeiten\" um den Metadaten-Manager zu \u00f6ffnen", + "WebClientTourPlaylists": "Erstelle einfach Wiedergabelisten und Schnellmixe und spiele diese auf jedem Ger\u00e4t", + "WebClientTourCollections": "Erstelle Film Sammlungen um Box-Sets zusammenzuf\u00fchren", + "WebClientTourUserPreferences1": "Benutzereinstellungen erlauben die personalisierte Darstellung Ihrer Bibliothek in all unseren Emby Apps.", + "WebClientTourUserPreferences2": "Legen Sie die Sprachen f\u00fcr Audio und Untertitel einmalig f\u00fcr alle Emby Apps fest.", + "WebClientTourUserPreferences3": "Designe die Web-Client-Homepage nach deinen W\u00fcnschen", + "WebClientTourUserPreferences4": "Konfiguriere Hintergr\u00fcnde, Titelsongs und externe Abspieler", + "WebClientTourMobile1": "Der Web-Client funktioniert hervorragend auf Smartphones und Tablets ...", + "WebClientTourMobile2": "und steuern Sie auf einfache Weise andere Ger\u00e4te und Emby Apps", + "WebClientTourMySync": "Synchronisieren Sie pers\u00f6nliche Medien mit Ihren Ger\u00e4ten um diese offline anzuschauen.", + "MessageEnjoyYourStay": "Genie\u00dfe deinen Aufenthalt", + "DashboardTourDashboard": "Die Server\u00fcbersicht erlaubt es dir deinen Server und dessen Benutzer im Blick zu behalten. Somit wei\u00dft du immer wer gerade was macht und wo er sich befindet.", + "DashboardTourHelp": "Die In-App-Hilfe Schaltfl\u00e4che bietet eine schnelle M\u00f6glichkeit um eine Wiki-Seite zum aktuellen Inhalt zu \u00f6ffnen.", + "DashboardTourUsers": "Erstelle einfach Benutzeraccounts f\u00fcr Freunde und Familie. Jeder mit seinen individuellen Einstellungen bei Berechtigungen, Blibliothekenzugriff, Kindersicherung und mehr.", + "DashboardTourCinemaMode": "Der Kino-Modus bringt das Kinoerlebnis direkt in dein Wohnzimmer, mit der F\u00e4higkeit Trailer und benutzerdefinierte Intros vor dem Hauptfilm zu spielen.", + "DashboardTourChapters": "Aktiviere Kapitel-Bilder Generierung f\u00fcr Videos f\u00fcr eine bessere Darstellung.", + "DashboardTourSubtitles": "Lade automatisch Untertitel f\u00fcr jede Sprache f\u00fcr deine Videos herunter.", + "DashboardTourPlugins": "Installiere Plugins wie Internet Videoportale, Live-TV, Metadatenscanner und mehr.", + "DashboardTourNotifications": "Sende automatisch Benachrichtigungen von Serverereignissen auf dein mobiles Endger\u00e4t, per E-Mail und mehr.", + "DashboardTourScheduledTasks": "Verwalte einfach lang dauernde Aufgaben mit Hilfe von geplanten Aufgaben. Entscheide wann diese ausgef\u00fchrt werden und wie oft.", + "DashboardTourMobile": "Die Emby Server Startseite funktioniert super auf Smartphones oder Tabletts. Kontrollieren Sie Ihren Server zu jeder Zeit, egal wo.", + "DashboardTourSync": "Synchronisieren Sie pers\u00f6nliche Medien mit Ihren Ger\u00e4ten um diese offline anzuschauen.", + "MessageRefreshQueued": "Warteschlange aktualisieren", + "TabDevices": "Ger\u00e4te", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "Zuletzt genutzt von {0}", + "HeaderDeleteDevice": "Ger\u00e4t l\u00f6schen", + "DeleteDeviceConfirmation": "Bist du dir sicher dieses Ger\u00e4t l\u00f6schen zu wollen? Es wird wieder angezeigt werden, sobald sich ein Uder dar\u00fcber einloggt.", + "LabelEnableCameraUploadFor": "Aktiviere den Kamera-Upload f\u00fcr:", + "HeaderSelectUploadPath": "W\u00e4hle Upload Pfad", + "LabelEnableCameraUploadForHelp": "Uploads erscheinen automatisch im Hintergrund wenn Sie mit Emby verbunden sind.", + "ErrorMessageStartHourGreaterThanEnd": "Die Endzeit muss gr\u00f6\u00dfer als die Startzeit sein.", + "ButtonLibraryAccess": "Bibliothekszugang", + "ButtonParentalControl": "Kindersicherung", + "HeaderInvitationSent": "Einladung verschickt", + "MessageInvitationSentToUser": "Eine E-Mail mit der Einladung zum Sharing ist an {0} geschickt worden.", + "MessageInvitationSentToNewUser": "Eine Email wurde an {0} mit einer Einladung zur Anmeldung an Emby gesendet.", + "HeaderConnectionFailure": "Verbindungsfehler", + "MessageUnableToConnectToServer": "Wir k\u00f6nnen gerade keine Verbindung zum gew\u00e4hlten Server herstellen. Bitte stellen Sie sicher das dieser l\u00e4uft und versuchen Sie es erneut.", + "ButtonSelectServer": "W\u00e4hle Server", "MessagePluginConfigurationRequiresLocalAccess": "Melde dich bitte direkt an deinem lokalen Server an, um dieses Plugin konfigurieren zu k\u00f6nnen.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Der Zugriff ist derzeit eingeschr\u00e4nkt. Bitte versuche es sp\u00e4ter erneut.", - "EmbyIntroDownloadMessage": "Um Emby herunterzuladen und zu installieren, besuchen Sie: {0}.", - "LabelProfile": "Profil:", + "DefaultErrorMessage": "Es gab einen Fehler beim verarbeiten der Anfrage. Bitte versuche es sp\u00e4ter erneut.", + "ButtonAccept": "Akzeptieren", + "ButtonReject": "Ablehnen", + "HeaderForgotPassword": "Passwort vergessen", + "MessageContactAdminToResetPassword": "Bitte kontaktiere deinen Systemadministrator, um dein Passwort zur\u00fccksetzen zu lassen.", + "MessageForgotPasswordInNetworkRequired": "Bitte versuche es erneut innerhalb deines Heimnetzwerks, um die Passwort Zur\u00fccksetzung zu starten.", + "MessageForgotPasswordFileCreated": "Die folgende Datei wurde auf deinem Server erstellt und enth\u00e4lt eine Anleitung, wie fortgefahren werden muss:", + "MessageForgotPasswordFileExpiration": "Der Zur\u00fccksetzungs-PIN wird am {0} auslaufen.", + "MessageInvalidForgotPasswordPin": "Ein ung\u00fcltiger oder abgelaufener PIN wurde eingegeben. Bitte versuche es noch einmal.", + "MessagePasswordResetForUsers": "Passw\u00f6rter der folgenden Benutzer wurden entfernt:", + "HeaderInviteGuest": "Lade G\u00e4ste ein", + "ButtonLinkMyEmbyAccount": "Verbinde mein Konto jetzt", + "MessageConnectAccountRequiredToInviteGuest": "Um G\u00e4ste einladen zu k\u00f6nnen, m\u00fcssen Sie erst Ihr Emby Konto mit diesem Server verbinden.", + "ButtonSync": "Synchronisieren", "SyncMedia": "Synchronisiere Medien", - "ButtonNewServer": "Neuer Server", - "LabelBitrateMbps": "Datenrate (Mbps):", "HeaderCancelSyncJob": "Synchronisierung abbrechen", "CancelSyncJobConfirmation": "Der Abbruch der Synchronisation wird bereits synchronisierte Medien bei der n\u00e4chsten Synchronisation vom Ger\u00e4t l\u00f6schen. M\u00f6chten Sie wirklich fortfahren?", + "TabSync": "Synchronisieren", "MessagePleaseSelectDeviceToSyncTo": "Bitte w\u00e4hlen Sie ein zu synchronisierendes Ger\u00e4t.", - "ButtonSignInWithConnect": "Anmelden mit Emby Connect", "MessageSyncJobCreated": "Synchronisations-Aufgabe erstellt.", "LabelSyncTo": "Synchronisiere mit:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Synchronisations-Aufgabe:", - "HeaderNewServer": "Neuer Server", - "ValueLinks": "Links {0}", "LabelQuality": "Qualit\u00e4t:", - "MyDevice": "Mein Ger\u00e4t", - "DefaultErrorMessage": "Es gab einen Fehler beim verarbeiten der Anfrage. Bitte versuche es sp\u00e4ter erneut.", - "ButtonRemote": "Fernbedienung", - "ButtonAccept": "Akzeptieren", - "ButtonReject": "Ablehnen", - "DashboardTourDashboard": "Die Server\u00fcbersicht erlaubt es dir deinen Server und dessen Benutzer im Blick zu behalten. Somit wei\u00dft du immer wer gerade was macht und wo er sich befindet.", - "DashboardTourUsers": "Erstelle einfach Benutzeraccounts f\u00fcr Freunde und Familie. Jeder mit seinen individuellen Einstellungen bei Berechtigungen, Blibliothekenzugriff, Kindersicherung und mehr.", - "DashboardTourCinemaMode": "Der Kino-Modus bringt das Kinoerlebnis direkt in dein Wohnzimmer, mit der F\u00e4higkeit Trailer und benutzerdefinierte Intros vor dem Hauptfilm zu spielen.", - "DashboardTourChapters": "Aktiviere Kapitel-Bilder Generierung f\u00fcr Videos f\u00fcr eine bessere Darstellung.", - "DashboardTourSubtitles": "Lade automatisch Untertitel f\u00fcr jede Sprache f\u00fcr deine Videos herunter.", - "DashboardTourPlugins": "Installiere Plugins wie Internet Videoportale, Live-TV, Metadatenscanner und mehr.", - "DashboardTourNotifications": "Sende automatisch Benachrichtigungen von Serverereignissen auf dein mobiles Endger\u00e4t, per E-Mail und mehr.", - "DashboardTourScheduledTasks": "Verwalte einfach lang dauernde Aufgaben mit Hilfe von geplanten Aufgaben. Entscheide wann diese ausgef\u00fchrt werden und wie oft.", - "DashboardTourMobile": "Die Emby Server Startseite funktioniert super auf Smartphones oder Tabletts. Kontrollieren Sie Ihren Server zu jeder Zeit, egal wo.", - "HeaderEpisodes": "Episoden", - "HeaderSelectCustomIntrosPath": "W\u00e4hle einen benutzerdefinierten Pfad f\u00fcr Intros", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Einstellungen", + "OptionAutomaticallySyncNewContent": "Synchronisiere neue Inhalte automatisch", + "OptionAutomaticallySyncNewContentHelp": "Neu hinzugef\u00fcgte Inhalte werden automatisch zum Ger\u00e4t synchronisiert.", + "OptionSyncUnwatchedVideosOnly": "Synchronisiere nur ungesehene Videos.", + "OptionSyncUnwatchedVideosOnlyHelp": "Nur ungesehene Video werden synchronisiert. Videos werden entfernt sobald diese auf dem Ger\u00e4t angeschaut wurden.", + "LabelItemLimit": "Maximale Anzahl:", + "LabelItemLimitHelp": "Optional. Legen Sie die maximale Anzahl der zu synchronisierenden Eintr\u00e4ge fest.", + "MessageBookPluginRequired": "Setzt die Installation des Bookshelf-Plugins voraus.", + "MessageGamePluginRequired": "Setzt die Installation des GameBrowser-Plugins voraus.", + "MessageUnsetContentHelp": "Inhalte werden als Verzeichnisse dargestellt. F\u00fcr eine besser Anzeige nutzen Sie nach M\u00f6glichkeit den Meta-Data Manager und w\u00e4hlen Sie einen Medien-Typen f\u00fcr Unterverzeichnisse.", "SyncJobItemStatusQueued": "in Warteschlange", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Konvertiere", "SyncJobItemStatusTransferring": "\u00dcbertrage", "SyncJobItemStatusSynced": "Synchronisiert", - "TabSync": "Synchronisieren", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Fehlgeschlagen.", - "TabPlayback": "Wiedergabe", "SyncJobItemStatusRemovedFromDevice": "Entfernt von Ger\u00e4t", "SyncJobItemStatusCancelled": "Abgebrochen", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profil:", + "LabelBitrateMbps": "Datenrate (Mbps):", + "EmbyIntroDownloadMessage": "Um Emby herunterzuladen und zu installieren, besuchen Sie: {0}.", + "ButtonNewServer": "Neuer Server", + "ButtonSignInWithConnect": "Anmelden mit Emby Connect", + "HeaderNewServer": "Neuer Server", + "MyDevice": "Mein Ger\u00e4t", + "ButtonRemote": "Fernbedienung", + "TabInfo": "Info", + "TabCast": "Darsteller", + "TabScenes": "Szenen", "HeaderUnlockApp": "App freischalten", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Schalten Sie weitere Funktionen mit einem kleinen & einmaligen Kauf frei.", "MessageUnlockAppWithPurchaseOrSupporter": "Schalten Sie alle Funktionen mit einem einmaligen kleinen Kauf frei. Alternativ k\u00f6nnen Sie sich auch mit einer aktiven Emby Unterst\u00fctzer-Mitgliedschaft anmelden.", "MessageUnlockAppWithSupporter": "Schalten Sie alle Funktionen der Anwendung frei, indem Sie sich mit einer aktiven Emby Unterst\u00fctzer-Mitgliedschaft anmelden.", "MessageToValidateSupporter": "Wenn Sie bereits ein aktiver Emby Suporter sind, melden Sie sich einfach mit der App in Ihrem Heimnetzwerk via WLAN an.", "MessagePaymentServicesUnavailable": "Die Zahlungsdienste stehen leider gerade nicht zur Verf\u00fcgung. Bitte versuchen Sie es sp\u00e4ter erneut.", "ButtonUnlockWithSupporter": "Anmelden mit Emby Unterst\u00fctzer Mitgliedschaft", - "HeaderForgotPassword": "Passwort vergessen", - "MessageContactAdminToResetPassword": "Bitte kontaktiere deinen Systemadministrator, um dein Passwort zur\u00fccksetzen zu lassen.", - "MessageForgotPasswordInNetworkRequired": "Bitte versuche es erneut innerhalb deines Heimnetzwerks, um die Passwort Zur\u00fccksetzung zu starten.", "MessagePleaseSignInLocalNetwork": "Bevor Sie fortsetzen sollten Sie sicher sein, dass Sie mit Ihrem Heimnetzwerk verbunden sind.", - "MessageForgotPasswordFileCreated": "Die folgende Datei wurde auf deinem Server erstellt und enth\u00e4lt eine Anleitung, wie fortgefahren werden muss:", - "TabExpert": "Experte", - "HeaderInvitationSent": "Einladung verschickt", - "MessageForgotPasswordFileExpiration": "Der Zur\u00fccksetzungs-PIN wird am {0} auslaufen.", - "MessageInvitationSentToUser": "Eine E-Mail mit der Einladung zum Sharing ist an {0} geschickt worden.", - "MessageInvalidForgotPasswordPin": "Ein ung\u00fcltiger oder abgelaufener PIN wurde eingegeben. Bitte versuche es noch einmal.", "ButtonUnlockWithPurchase": "Freischalten durch Kauf", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "Eine Email wurde an {0} mit einer Einladung zur Anmeldung an Emby gesendet.", - "MessagePasswordResetForUsers": "Passw\u00f6rter der folgenden Benutzer wurden entfernt:", + "ButtonUnlockPrice": "Freischalten {0}", "MessageLiveTvGuideRequiresUnlock": "Ihr TV-Guide ist begrenzt auf {0} Kan\u00e4le. Klicken Sie auf die Freischalten Schaltfl\u00e4che um weitere Informationen zu erhalten.", - "WebClientTourContent": "Schaue deine zuletzt hinzugef\u00fcgten Medien, n\u00e4chste Episoden und mehr an. Die gr\u00fcnen Kreise zeigen dir an, wie viele ungesehene Inhalte du hast.", - "HeaderPeople": "Personen", "OptionEnableFullscreen": "Aktivieren Vollbild", - "WebClientTourMovies": "Spiele Filme, Trailer und mehr von jedem Ger\u00e4t mit einem Web-Browser", - "WebClientTourMouseOver": "Halte die Maus \u00fcber ein Plakat f\u00fcr den schnellen Zugriff auf wichtige Informationen", - "HeaderRateAndReview": "Bewerten und Kommentieren", - "ErrorMessageStartHourGreaterThanEnd": "Die Endzeit muss gr\u00f6\u00dfer als die Startzeit sein.", - "WebClientTourTapHold": "Tippe und halte, oder klicke auf ein Plakat f\u00fcr ein Kontextmen\u00fc", - "HeaderThankYou": "Danke", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Klicke auf \"Bearbeiten\" um den Metadaten-Manager zu \u00f6ffnen", - "MessageThankYouForYourReview": "Vielen Dank f\u00fcr deine Bewertung.", - "WebClientTourPlaylists": "Erstelle einfach Wiedergabelisten und Schnellmixe und spiele diese auf jedem Ger\u00e4t", - "LabelYourRating": "Deine Bewertung:", - "WebClientTourCollections": "Erstelle Film Sammlungen um Box-Sets zusammenzuf\u00fchren", - "LabelFullReview": "Vollst\u00e4ndige Bewertung:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "Benutzereinstellungen erlauben die personalisierte Darstellung Ihrer Bibliothek in all unseren Emby Apps.", - "LabelShortRatingDescription": "Kurze Zusammenfassung der Bewertung:", - "WebClientTourUserPreferences2": "Legen Sie die Sprachen f\u00fcr Audio und Untertitel einmalig f\u00fcr alle Emby Apps fest.", - "OptionIRecommendThisItem": "Ich schlage diesen Inhalt vor", - "ButtonLinkMyEmbyAccount": "Verbinde mein Konto jetzt", - "WebClientTourUserPreferences3": "Designe die Web-Client-Homepage nach deinen W\u00fcnschen", "HeaderLibrary": "Bibliothek", - "WebClientTourUserPreferences4": "Konfiguriere Hintergr\u00fcnde, Titelsongs und externe Abspieler", - "WebClientTourMobile1": "Der Web-Client funktioniert hervorragend auf Smartphones und Tablets ...", - "WebClientTourMobile2": "und steuern Sie auf einfache Weise andere Ger\u00e4te und Emby Apps", "HeaderMedia": "Medien", - "MessageEnjoyYourStay": "Genie\u00dfe deinen Aufenthalt" + "ButtonInbox": "Posteingang", + "HeaderAdvanced": "Erweitert", + "HeaderGroupVersions": "Gruppen Versionen", + "HeaderSaySomethingLike": "Sagen Sie etwas wie...", + "ButtonTryAgain": "Erneut versuchen", + "HeaderYouSaid": "Sie sagten....", + "MessageWeDidntRecognizeCommand": "Entschuldigung, dieses Kommando konnten wir nicht erkennen.", + "MessageIfYouBlockedVoice": "Wenn Sie die Sprachsteuerung f\u00fcr die App nicht erlaubt haben so m\u00fcssen Sie dies zuvor \u00e4ndern bevor Sie es erneut probieren.", + "MessageNoItemsFound": "Keine Eintr\u00e4ge gefunden.", + "ButtonManageServer": "Konfiguriere Server", + "ButtonPreferences": "Einstellungen", + "ButtonViewArtist": "Zeige Darsteller", + "ButtonViewAlbum": "Zeige Album", + "ErrorMessagePasswordNotMatchConfirm": "Das Passwort und die Passwort-Best\u00e4tigung m\u00fcssen \u00fcbereinstimmen.", + "ErrorMessageUsernameInUse": "Der Benutzername wird bereits verwenden. Bitte w\u00e4hlen Sie einen neuen Namen und versuchen Sie es erneut.", + "ErrorMessageEmailInUse": "Die Emailadresse wird bereits verwendet. Bitte verwenden Sie eine neue Emailadresse und versuchen Sie es erneut oder benutzen Sie die \"Passwort vergessen\" Funktion.", + "MessageThankYouForConnectSignUp": "Vielen Dank f\u00fcr Ihre Anmeldung bei Emby Connect. Eine Emails mit weiteren Schritten zur Anmeldung Ihres neuen Kontos wird Ihnen in K\u00fcrze zugestellt. Bitte best\u00e4tigen Sie Ihr Konto und kehren Sie dann hier her zur\u00fcck um sich anzumelden.", + "HeaderShare": "Teilen", + "ButtonShareHelp": "Teilen Sie eine Website mit Medieninformationen in einem sozialen Netzwerk. Medien werden niemals \u00f6ffentlich geteilt.", + "ButtonShare": "Teilen", + "HeaderConfirm": "Best\u00e4tigen" } \ 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 7c2697fe77..1381344f7c 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u039f\u03b9 \u03c1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c4\u03b7\u03ba\u03b1\u03bd", + "AddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", + "Users": "\u039f\u03b9 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2", + "Delete": "\u0394\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03c4\u03b5", + "Administrator": "\u03c4\u03bf \u03b4\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c2", + "Password": "\u03c4\u03bf\u03bd \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", + "DeleteImage": "\u03b4\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03c4\u03b5 \u03c4\u03b7\u03bd \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b4\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03b5\u03c4\u03b5 \u03b1\u03c5\u03c4\u03ae \u03c4\u03b7\u03bd \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1;", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "\u03a4\u03bf \u03b1\u03c1\u03c7\u03b5\u03af\u03bf \u03b4\u03b5\u03bd \u03b2\u03c1\u03ad\u03b8\u03b7\u03ba\u03b5", + "FileReadError": "\u03a0\u03b1\u03c1\u03bf\u03c5\u03c3\u03b9\u03ac\u03c3\u03c4\u03b7\u03ba\u03b5 \u03c3\u03c6\u03ac\u03bb\u03bc\u03b1 \u03ba\u03b1\u03c4\u03ac \u03c4\u03b7\u03bd \u03b1\u03bd\u03ac\u03b3\u03bd\u03c9\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03b1\u03c1\u03c7\u03b5\u03af\u03bf\u03c5", + "DeleteUser": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03ad\u03c7\u03b5\u03b9 \u03b3\u03af\u03bd\u03b5\u03b9 \u03b5\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b5\u03c0\u03b1\u03bd\u03b1\u03c6\u03ad\u03c1\u03b5\u03c4\u03b5 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2;", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c4\u03b7\u03ba\u03b5", + "PasswordMatchError": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03b5\u03c0\u03b9\u03b2\u03b5\u03b2\u03b1\u03af\u03c9\u03c3\u03b7\u03c2 \u03c0\u03c1\u03ad\u03c0\u03b5\u03b9 \u03bd\u03b1 \u03c4\u03b1\u03b9\u03c1\u03b9\u03ac\u03b6\u03bf\u03c5\u03bd", + "OptionRelease": "\u0397 \u03b5\u03c0\u03af\u03c3\u03b7\u03bc\u03b7 \u03ad\u03ba\u03b4\u03bf\u03c3\u03b7", + "OptionBeta": "\u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae", + "OptionDev": "\u0391\u03bd\u03ac\u03c0\u03c4\u03c5\u03be\u03b7 (\u03b1\u03c3\u03c4\u03b1\u03b8\u03ae\u03c2)", + "UninstallPluginHeader": "\u03b1\u03c0\u03b5\u03b3\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b7\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf plugin", + "UninstallPluginConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b1\u03c0\u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03ae\u03c3\u03b5\u03c4\u03b5;", + "NoPluginConfigurationMessage": "\u0391\u03c5\u03c4\u03cc \u03c4\u03bf plugin \u03ad\u03c7\u03b5\u03b9 \u03c4\u03af\u03c0\u03bf\u03c4\u03b1 \u03bd\u03b1 \u03b4\u03b9\u03b1\u03bc\u03bf\u03c1\u03c6\u03ce\u03c3\u03b5\u03c4\u03b5", + "NoPluginsInstalledMessage": "\u0388\u03c7\u03b5\u03c4\u03b5 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03ae\u03c3\u03b5\u03b9 \u03ba\u03b1\u03bd\u03ad\u03bd\u03b1 plugins ", + "BrowsePluginCatalogMessage": "\u03a0\u03bb\u03bf\u03b7\u03b3\u03b7\u03b8\u03b5\u03af\u03c4\u03b5 \u03c3\u03c4\u03bf\u03bd \u03ba\u03b1\u03c4\u03ac\u03bb\u03bf\u03b3\u03bf plugin \u03bc\u03b1\u03c2 \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03b4\u03b5\u03af\u03c4\u03b5 \u03c4\u03b1 \u03b4\u03b9\u03b1\u03b8\u03ad\u03c3\u03b9\u03bc\u03b1 plugins", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 ", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "\u03a3\u03b5\u03b9\u03c1\u03ad\u03c2", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1", + "ButtonHelp": "\u0392\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1", + "ButtonSave": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5 \u03c3\u03c4\u03b7\u03bd \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae", + "NewCollectionNameExample": "\u03a0\u03b1\u03c1\u03ac\u03b4\u03b5\u03b9\u03b3\u03bc\u03b1: \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae \"\u03a0\u03cc\u03bb\u03b5\u03bc\u03bf\u03c2 \u03c4\u03c9\u03bd \u0386\u03c3\u03c4\u03c1\u03c9\u03bd\"", + "OptionSearchForInternetMetadata": "\u0391\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7 \u03c3\u03c4\u03bf \u03b4\u03b9\u03b1\u03b4\u03af\u03ba\u03c4\u03c5\u03bf \u03b3\u03b9\u03b1 \u03b5\u03be\u03ce\u03c6\u03c5\u03bb\u03bb\u03bf \u03ba\u03b1\u03b9 \u03c0\u03bb\u03b7\u03c1\u03bf\u03c6\u03bf\u03c1\u03af\u03b5\u03c2", + "LabelSelectCollection": "\u0395\u03c0\u03ad\u03bb\u03b5\u03be\u03b5 \u03c3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "\u039a\u03ac\u03bd\u03c4\u03b5 \u03c4\u03b7\u03bd \u039e\u03b5\u03bd\u03ac\u03b3\u03b7\u03c3\u03b7", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03a3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ae\u03c2", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "\u03a0\u03b1\u03c1\u03ac\u03b4\u03b5\u03b9\u03b3\u03bc\u03b1: \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae \"\u03a0\u03cc\u03bb\u03b5\u03bc\u03bf\u03c2 \u03c4\u03c9\u03bd \u0386\u03c3\u03c4\u03c1\u03c9\u03bd\"", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "\u0391\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7 \u03c3\u03c4\u03bf \u03b4\u03b9\u03b1\u03b4\u03af\u03ba\u03c4\u03c5\u03bf \u03b3\u03b9\u03b1 \u03b5\u03be\u03ce\u03c6\u03c5\u03bb\u03bb\u03bf \u03ba\u03b1\u03b9 \u03c0\u03bb\u03b7\u03c1\u03bf\u03c6\u03bf\u03c1\u03af\u03b5\u03c2", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "\u0395\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf \u039a\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "\u03a0\u03c1\u03bf\u03b7\u03b3\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf \u039a\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "\u0392\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "\u03c3\u03b2\u03b7\u03c3\u03c4\u03cc\u03c2", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "\u0397 \u03b5\u03c0\u03af\u03c3\u03b7\u03bc\u03b7 \u03ad\u03ba\u03b4\u03bf\u03c3\u03b7", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "\u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "\u0391\u03bd\u03ac\u03c0\u03c4\u03c5\u03be\u03b7 (\u03b1\u03c3\u03c4\u03b1\u03b8\u03ae\u03c2)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "\u03b1\u03c0\u03b5\u03b3\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b7\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b1\u03c0\u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03ae\u03c3\u03b5\u03c4\u03b5;", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "\u0391\u03c5\u03c4\u03cc \u03c4\u03bf plugin \u03ad\u03c7\u03b5\u03b9 \u03c4\u03af\u03c0\u03bf\u03c4\u03b1 \u03bd\u03b1 \u03b4\u03b9\u03b1\u03bc\u03bf\u03c1\u03c6\u03ce\u03c3\u03b5\u03c4\u03b5", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "\u0388\u03c7\u03b5\u03c4\u03b5 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03ae\u03c3\u03b5\u03b9 \u03ba\u03b1\u03bd\u03ad\u03bd\u03b1 plugins ", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "\u03a0\u03bb\u03bf\u03b7\u03b3\u03b7\u03b8\u03b5\u03af\u03c4\u03b5 \u03c3\u03c4\u03bf\u03bd \u03ba\u03b1\u03c4\u03ac\u03bb\u03bf\u03b3\u03bf plugin \u03bc\u03b1\u03c2 \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03b4\u03b5\u03af\u03c4\u03b5 \u03c4\u03b1 \u03b4\u03b9\u03b1\u03b8\u03ad\u03c3\u03b9\u03bc\u03b1 plugins", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "\u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "\u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u0395\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7", + "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": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5", + "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.", - "HeaderUsers": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 ", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "\u0395\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u03a4\u03c1\u03b1\u03b3\u03bf\u03cd\u03b4\u03b9\u03b1", - "TabAlbums": "\u0386\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "\u0395\u03bd\u03c4\u03ac\u03be\u03b5\u03b9", + "ButtonCancel": "\u0391\u03ba\u03cd\u03c1\u03c9\u03c3\u03b7 ", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "\u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", + "HeaderMediaFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u03b2\u03af\u03bd\u03c4\u03b5\u03bf", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "\u03a0\u03c1\u03ce\u03c4\u03b7 \u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "\u03c3\u03b2\u03b7\u03c3\u03c4\u03cc\u03c2", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "\u0395\u03bd\u03c4\u03ac\u03be\u03b5\u03b9", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u0391\u03ba\u03cd\u03c1\u03c9\u03c3\u03b7 ", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "\u0394\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae\u03c2", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03a3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ae\u03c2", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "\u039f\u03bb\u03cc\u03ba\u03bb\u03b7\u03c1\u03b7 \u03bf\u03b8\u03cc\u03bd\u03b7", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "\u0397\u03c7\u03b7\u03c4\u03b9\u03ba\u03ac \u039a\u03cc\u03bc\u03bc\u03ac\u03c4\u03b9\u03b1", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "\u03a0\u03c1\u03bf\u03b7\u03b3\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf \u039a\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "\u0395\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf \u039a\u03bf\u03bc\u03bc\u03ac\u03c4\u03b9", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "LabelCollection": "Collection", - "FolderTypeMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", - "FolderTypeAdultVideos": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2 \u0395\u03bd\u03b7\u03bb\u03af\u03ba\u03c9\u03bd", - "HeaderAddToCollection": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5 \u03c3\u03c4\u03b7\u03bd \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae", - "FolderTypePhotos": "\u03a6\u03c9\u03c4\u03bf\u03b3\u03c1\u03b1\u03c6\u03af\u03b5\u03c2", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "SettingsSaved": "\u039f\u03b9 \u03c1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c4\u03b7\u03ba\u03b1\u03bd", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "\u03a0\u03c1\u03bf\u03c3\u03c9\u03c0\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "AddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", - "HeaderMenu": "Menu", - "FolderTypeGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", - "Users": "\u039f\u03b9 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "\u0392\u03b9\u03b2\u03bb\u03af\u03b1", - "Delete": "\u0394\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03c4\u03b5", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", - "Administrator": "\u03c4\u03bf \u03b4\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c2", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "\u03c4\u03bf\u03bd \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae", + "ButtonNew": "\u039d\u03ad\u03bf", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "\u03b4\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03c4\u03b5 \u03c4\u03b7\u03bd \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "\u0395\u03c0\u03ad\u03bb\u03b5\u03be\u03b5 \u03c3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b4\u03b9\u03b1\u03b3\u03c1\u03ac\u03c8\u03b5\u03c4\u03b5 \u03b1\u03c5\u03c4\u03ae \u03c4\u03b7\u03bd \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1;", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "\u038c\u03bd\u03bf\u03bc\u03b1:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "\u03a4\u03bf \u03b1\u03c1\u03c7\u03b5\u03af\u03bf \u03b4\u03b5\u03bd \u03b2\u03c1\u03ad\u03b8\u03b7\u03ba\u03b5", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "\u03a0\u03b1\u03c1\u03bf\u03c5\u03c3\u03b9\u03ac\u03c3\u03c4\u03b7\u03ba\u03b5 \u03c3\u03c6\u03ac\u03bb\u03bc\u03b1 \u03ba\u03b1\u03c4\u03ac \u03c4\u03b7\u03bd \u03b1\u03bd\u03ac\u03b3\u03bd\u03c9\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03b1\u03c1\u03c7\u03b5\u03af\u03bf\u03c5", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "ButtonView": "View", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "\u0389\u03c7\u03bf\u03c2", + "HeaderResolution": "Resolution", + "HeaderVideo": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "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": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", "OptionCollections": "Collections", - "DeleteUser": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", "OptionGames": "Games", - "PasswordResetComplete": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03ad\u03c7\u03b5\u03b9 \u03b3\u03af\u03bd\u03b5\u03b9 \u03b5\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "\u0395\u03af\u03c3\u03c4\u03b5 \u03c3\u03af\u03b3\u03bf\u03c5\u03c1\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03b5\u03c0\u03b1\u03bd\u03b1\u03c6\u03ad\u03c1\u03b5\u03c4\u03b5 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2;", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c4\u03b7\u03ba\u03b5", - "HeaderAudio": "\u0389\u03c7\u03bf\u03c2", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "\u039f \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03b5\u03c0\u03b9\u03b2\u03b5\u03b2\u03b1\u03af\u03c9\u03c3\u03b7\u03c2 \u03c0\u03c1\u03ad\u03c0\u03b5\u03b9 \u03bd\u03b1 \u03c4\u03b1\u03b9\u03c1\u03b9\u03ac\u03b6\u03bf\u03c5\u03bd", - "HeaderResolution": "Resolution", - "LabelFailed": "\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "ButtonSelect": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "\u03a3\u03b5\u03b9\u03c1\u03ad\u03c2", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "\u0394\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae\u03c2", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "\u039d\u03ad\u03bf", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u038c\u03bd\u03bf\u03bc\u03b1:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", + "FolderTypeMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", + "FolderTypeAdultVideos": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2 \u0395\u03bd\u03b7\u03bb\u03af\u03ba\u03c9\u03bd", + "FolderTypePhotos": "\u03a6\u03c9\u03c4\u03bf\u03b3\u03c1\u03b1\u03c6\u03af\u03b5\u03c2", + "FolderTypeMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "FolderTypeHomeVideos": "\u03a0\u03c1\u03bf\u03c3\u03c9\u03c0\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "FolderTypeGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", + "FolderTypeBooks": "\u0392\u03b9\u03b2\u03bb\u03af\u03b1", + "FolderTypeTvShows": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", + "TabMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", + "TabSeries": "Series", + "TabEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", + "TabTrailers": "Trailers", + "TabGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", + "TabAlbums": "\u0386\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc", + "TabSongs": "\u03a4\u03c1\u03b1\u03b3\u03bf\u03cd\u03b4\u03b9\u03b1", + "TabMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u03b2\u03af\u03bd\u03c4\u03b5\u03bf", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "\u039a\u03ac\u03bd\u03c4\u03b5 \u03c4\u03b7\u03bd \u039e\u03b5\u03bd\u03ac\u03b3\u03b7\u03c3\u03b7", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 e7658a2a0d..9dbdfe995e 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/en-GB.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/en-GB.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been cancelled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favourite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organise File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organise File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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": "Favourite Movies", + "HeaderFavoriteShows": "Favourite Shows", + "HeaderFavoriteEpisodes": "Favourite Episodes", + "HeaderFavoriteGames": "Favourite 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "HeaderFavoriteAlbums": "Favourite Albums", + "HeaderLatestChannelMedia": "Latest Channel Items", + "ButtonOrganizeFile": "Organise File", + "ButtonDeleteFile": "Delete File", + "HeaderOrganizeFile": "Organise 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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favourite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favourite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favourite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favourite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favourite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organise", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been cancelled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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": "Favourite", + "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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 a6d50c4008..f0a9ac9de6 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/en-US.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/en-US.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/es-AR.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/es-AR.json index cd21f8eb83..cfab42cd10 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es-AR.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es-AR.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Disfrute los extras", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(fallido)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Agregar a la colecci\u00f3n", + "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n de Star Wars", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Seleccionar colecci\u00f3n:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n de Star Wars", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "Todos los canales", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Tema Siguiente", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Tema Anterior", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Cap\u00edtulos", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Disfrute los extras", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Ver trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "C\u00f3dec de audio: {0}", "ValueVideoCodec": "C\u00f3dec de video: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "C\u00f3dec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Condiciones: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "Todo", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Borrar imagen", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "P\u00e1gina siguiente", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "P\u00e1gina anterior", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Fecha de estreno", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "TV en vivo", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Falta cap\u00edtulo.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Im\u00e1genes", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Palabras clave", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Etiquetas", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Estudios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Nombre", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Lugar de nacimiento", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "Todos los canales", "LabelLiveProgram": "EN VIVO", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NUEVO", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "ESTRENO", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Pantalla Completa", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Pistas de Audio", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Tema Anterior", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Tema Siguiente", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Agregar a la colecci\u00f3n", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Seleccionar colecci\u00f3n:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(fallido)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Movies", + "TabSeries": "Series", + "TabEpisodes": "Cap\u00edtulos", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Cap\u00edtulos", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Cap\u00edtulos", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 67ee49c0d3..d4ce5c8248 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es-MX.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es-MX.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Configuraci\u00f3n guardada.", + "AddUser": "Agregar usuario", + "Users": "Usuarios", + "Delete": "Eliminar", + "Administrator": "Administrador", + "Password": "Contrase\u00f1a", + "DeleteImage": "Eliminar imagen", + "MessageThankYouForSupporting": "Gracias por apoyar Emby.", + "MessagePleaseSupportProject": "Por favor apoya Emby.", + "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": "\u00bfEst\u00e1 seguro de querer eliminar este usuario?", + "PasswordResetHeader": "Restablecer Contrase\u00f1a", + "PasswordResetComplete": "La contrase\u00f1a ha sido restablecida.", + "PinCodeResetComplete": "El c\u00f3digo pin ha sido restablecido.", + "PasswordResetConfirmation": "\u00bfEst\u00e1 seguro de querer restablecer la contrase\u00f1a?", + "PinCodeResetConfirmation": "\u00bfEsta seguro de querer restablecer el c\u00f3digo pin?", + "HeaderPinCodeReset": "Restablecer C\u00f3digo Pin", + "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 de querer desinstalar {0}?", + "NoPluginConfigurationMessage": "El complemento no requiere configuraci\u00f3n", + "NoPluginsInstalledMessage": "No tiene complementos instalados.", + "BrowsePluginCatalogMessage": "Explorar el catalogo de complementos para ver los complementos disponibles.", + "MessageKeyEmailedTo": "Clave enviada por correo a {0}.", + "MessageKeysLinked": "Llaves Vinculadas", + "HeaderConfirmation": "Confirmaci\u00f3n", + "MessageKeyUpdated": "Gracias. Su clave de aficionado ha sido actualizada.", + "MessageKeyRemoved": "Gracias. Su clave de aficionado ha sido eliminada.", + "HeaderSupportTheTeam": "Apoye al equipo de Emby", + "TextEnjoyBonusFeatures": "Disfruta de Caracter\u00edsticas Premium", + "TitleLiveTV": "TV en Vivo", + "ButtonCancelSyncJob": "Cancelar trabajo de Sinc.", + "TitleSync": "Sinc", + "HeaderSelectDate": "Seleccionar fecha", + "ButtonDonate": "Donar", + "LabelRecurringDonationCanBeCancelledHelp": "Las donaciones recurrentes pueden ser canceladas en cualquier momento desde su cuenta PayPal.", + "HeaderMyMedia": "Mis Medios", + "TitleNotifications": "Notificaciones", + "ErrorLaunchingChromecast": "Hubo un error iniciando chromecast. Por favor aseg\u00farate de que tu dispositivo este conectado a tu red inalambrica", + "MessageErrorLoadingSupporterInfo": "Se present\u00f3 un error al cargar la informaci\u00f3n del aficionado. Por favor int\u00e9ntelo m\u00e1s tarde.", + "MessageLinkYourSupporterKey": "Enlaza tu clave de aficionado con hasta {0} miembros de Emby Connect para disfrutar de acceso gratuito a la siguientes aplicaciones:", + "HeaderConfirmRemoveUser": "Eliminar Usuario", + "MessageSwipeDownOnRemoteControl": "Bienvenidos al control remoto. Seleccione el equipo para controlar haciendo clic en el icono en la esquina de arriba de la parte derecha. Deslizar hacia abajo en cualquier parte de la pantalla para regresar a donde usted estaba anteriormente.", + "MessageConfirmRemoveConnectSupporter": "\u00bfEst\u00e1 seguro de querer eliminar los beneficios adicionales de aficionado de este usuario?", + "ValueTimeLimitSingleHour": "L\u00edmite de tiempo: 1 hora", + "ValueTimeLimitMultiHour": "L\u00edmite de tiempo: {0} horas", + "HeaderUsers": "Usuarios", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Proveedores de Contenido", + "PluginCategoryScreenSaver": "Protectores de Pantalla", + "PluginCategoryTheme": "Temas", + "PluginCategorySync": "Sinc", + "PluginCategorySocialIntegration": "Redes Sociales", + "PluginCategoryNotifications": "Notificaciones", + "PluginCategoryMetadata": "Metadatos", + "PluginCategoryLiveTV": "TV en Vivo", + "PluginCategoryChannel": "Canales", + "HeaderSearch": "Buscar", + "ValueDateCreated": "Fecha de creaci\u00f3n: {0}", + "LabelArtist": "Artista", + "LabelMovie": "Pel\u00edcula", + "LabelMusicVideo": "Video Musical", + "LabelEpisode": "Episodio", + "LabelSeries": "Series", + "LabelStopping": "Deteniendo", + "LabelCancelled": "(cancelado)", + "LabelFailed": "(Fallido)", + "ButtonHelp": "Ayuda", + "ButtonSave": "Guardar", + "ButtonDownload": "Descargar", + "SyncJobStatusQueued": "En cola", + "SyncJobStatusConverting": "Convirti\u00e9ndo", + "SyncJobStatusFailed": "Fallido", + "SyncJobStatusCancelled": "Cancelado", + "SyncJobStatusCompleted": "Sincronizado", + "SyncJobStatusReadyToTransfer": "Listo para Transferir", + "SyncJobStatusTransferring": "Transfiri\u00e9ndo", + "SyncJobStatusCompletedWithError": "Sincronizado con errores", + "SyncJobItemStatusReadyToTransfer": "Listo para Transferir", + "LabelCollection": "Colecci\u00f3n", + "HeaderAddToCollection": "Agregar a Colecci\u00f3n.", + "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n Guerra de las Galaxias", + "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos", + "LabelSelectCollection": "Elegir colecci\u00f3n:", + "HeaderDevices": "Dispositivos", + "ButtonScheduledTasks": "Tareas programadas", + "MessageItemsAdded": "\u00cdtems agregados", + "ButtonAddToCollection": "Agregar a colecci\u00f3n", + "HeaderSelectCertificatePath": "Seleccione Trayectoria del Certificado", + "ConfirmMessageScheduledTaskButton": "Esta operaci\u00f3n normalmente es ejecutada autom\u00e1ticamente como una tarea programada. Tambi\u00e9n puede ser ejecutada manualmente desde aqu\u00ed. Para configurar la tarea programada, vea:", + "HeaderSupporterBenefit": "La membres\u00eda de aficionado proporciona beneficios adicionales tales como acceso a sincronizaci\u00f3n, complementos premium, contenido de canales de Internet y m\u00e1s. {0}Conocer m\u00e1s{1}.", + "LabelSyncNoTargetsHelp": "Parece que actualmente no cuentas con ninguna app que soporte sinc.", + "HeaderWelcomeToProjectServerDashboard": "Bienvenido al Panel de Control de Emby", + "HeaderWelcomeToProjectWebClient": "Bienvenido a Emby", + "ButtonTakeTheTour": "Haga el recorrido", + "HeaderWelcomeBack": "\u00a1Bienvenido nuevamente!", + "TitlePlugins": "Complementos", + "ButtonTakeTheTourToSeeWhatsNew": "Inice el tour para ver que hay de nuevo", + "MessageNoSyncJobsFound": "No se han encontrado trabajos de sincronizaci\u00f3n. Cree trabajos de sincronizaci\u00f3n empleando los botones de Sinc que se encuentran en la intergface web.", + "ButtonPlayTrailer": "Reproducir Avance", + "HeaderLibraryAccess": "Acceso a la Biblioteca", + "HeaderChannelAccess": "Acceso a los Canales", + "HeaderDeviceAccess": "Acceso a Dispositivos", + "HeaderSelectDevices": "Seleccionar Dispositivos", + "ButtonCancelItem": "Cancelar \u00edtem.", + "ButtonQueueForRetry": "En cola para reintentar", + "ButtonReenable": "Re-habilitar", + "ButtonLearnMore": "Aprenda m\u00e1s", + "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remover", + "LabelAbortedByServerShutdown": "(Abortada por apagado del servidor)", + "LabelScheduledTaskLastRan": "Ejecutado hace {0}, tomando {1}.", + "HeaderDeleteTaskTrigger": "Borrar Disparador de Tarea", "HeaderTaskTriggers": "Disparadores de Tarea", - "ButtonResetTuner": "Resetear sintonizador", - "ButtonRestart": "Reiniciar", "MessageDeleteTaskTrigger": "\u00bfEst\u00e1 seguro de querer eliminar este disparador de tarea?", - "HeaderResetTuner": "Resetear Sintonizador", - "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n Guerra de las Galaxias", "MessageNoPluginsInstalled": "No tienes extensiones instaladas.", - "MessageConfirmResetTuner": "\u00bfEst\u00e1 seguro de querer restablecer las configuraciones de este sintonizador? Cualquier reproducci\u00f3n o grabaci\u00f3n sera interrumpida abruptamente.", - "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos", - "ButtonUpdateNow": "Actualizar Ahora", "LabelVersionInstalled": "{0} instalado", - "ButtonCancelSeries": "Cancelar Series", "LabelNumberReviews": "{0} Rese\u00f1as", - "LabelAllChannels": "Todos los canales", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Grabaciones de Series", + "HeaderPlaybackError": "Error de Reproducci\u00f3n", + "MessagePlaybackErrorNotAllowed": "Actualmente no esta autorizado para reproducir este contenido. Por favor contacte a su administrador de sistema para mas informaci\u00f3n.", + "MessagePlaybackErrorNoCompatibleStream": "No hay streams compatibles en este en este momento. Por favor intente de nuevo mas tarde o contacte a su administrador de sistema para mas detalles.", + "MessagePlaybackErrorRateLimitExceeded": "Su limite de transferencia ha sido excedido. Por favor contacte a su administrador de sistema para mas informaci\u00f3n.", + "MessagePlaybackErrorPlaceHolder": "No es posible reproducir el contenido seleccionado en este dispositivo.", "HeaderSelectAudio": "Seleccionar Audio", - "LabelAnytime": "Cuando sea", "HeaderSelectSubtitles": "Seleccionar Subtitulos", - "StatusRecording": "Grabando", + "ButtonMarkForRemoval": "Remover de dispositivo", + "ButtonUnmarkForRemoval": "Cancelar remover de dispositivo", "LabelDefaultStream": "(Por defecto)", - "StatusWatching": "Viendo", "LabelForcedStream": "(Forzado)", - "StatusRecordingProgram": "Grabando {0}", "LabelDefaultForcedStream": "(Por Defecto\/Forzado)", - "StatusWatchingProgram": "Viendo {0}", "LabelUnknownLanguage": "Idioma Desconocido", - "ButtonQueue": "A cola", + "MessageConfirmSyncJobItemCancellation": "\u00bfEsta seguro que desea cancelar este \u00edtem?", + "ButtonMute": "Mudo", "ButtonUnmute": "Quitar mudo", - "LabelSyncNoTargetsHelp": "Parece que actualmente no cuentas con ninguna app que soporte sinc.", - "HeaderSplitMedia": "Dividir y Separar Medios", + "ButtonStop": "Detener", + "ButtonNextTrack": "Pista Siguiente", + "ButtonPause": "Pausar", + "ButtonPlay": "Reproducir", + "ButtonEdit": "Editar", + "ButtonQueue": "A cola", "ButtonPlaylist": "Lista de Reprod.", - "MessageConfirmSplitMedia": "\u00bfEst\u00e1 seguro de querer dividir y separar estos medios en elementos individuales?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Pista Anterior", "LabelEnabled": "Habilitado", - "HeaderSupporterBenefit": "La membres\u00eda de aficionado proporciona beneficios adicionales tales como acceso a sincronizaci\u00f3n, complementos premium, contenido de canales de Internet y m\u00e1s. {0}Conocer m\u00e1s{1}.", "LabelDisabled": "Desactivado", - "MessageTheFollowingItemsWillBeGrouped": "Los siguientes t\u00edtulos ser\u00e1n agrupados en un solo elemento.", "ButtonMoreInformation": "Mas Informaci\u00f3n", - "MessageConfirmItemGrouping": "Las aplicaciones Emby eligiran autom\u00e1ticamente la versi\u00f3n optima para reproducir basado en el dispositivo y rendimiento de red. \u00bfEsta seguro de que desea continuar?", "LabelNoUnreadNotifications": "No hay notificaciones sin leer.", "ButtonViewNotifications": "Ver notificaciones", - "HeaderFavoriteAlbums": "\u00c1lbumes Favoritos", "ButtonMarkTheseRead": "Marcar como le\u00eddos", - "HeaderLatestChannelMedia": "Elementos del Canal Recientes", "ButtonClose": "Cerrar", - "ButtonOrganizeFile": "Organizar Archivo", - "ButtonLearnMore": "Aprenda m\u00e1s", - "TabEpisodes": "Episodios", "LabelAllPlaysSentToPlayer": "Todas las reproducciones se enviaran al reproductor seleccionado.", - "ButtonDeleteFile": "Eliminar Archivo", "MessageInvalidUser": "Usuario o contrase\u00f1a inv\u00e1lidos. Por favor intenta de nuevo.", - "HeaderOrganizeFile": "Organizar Archivo", - "HeaderAudioTracks": "Pistas de Audio", + "HeaderLoginFailure": "Fall\u00f3 el Inicio de Sesi\u00f3n", + "HeaderAllRecordings": "Todas las Grabaciones", "RecommendationBecauseYouLike": "Porque te gust\u00f3 {0}", - "HeaderDeleteFile": "Eliminar Archivo", - "ButtonAdd": "Agregar", - "HeaderSubtitles": "Subt\u00edtulos", - "ButtonView": "Vista", "RecommendationBecauseYouWatched": "Porque viste {0}", - "StatusSkipped": "Saltado", - "HeaderVideoQuality": "Calidad de Video", "RecommendationDirectedBy": "Dirigido por {0}", - "StatusFailed": "Fallido", - "MessageErrorPlayingVideo": "Ha ocurrido un error al reproducir el video.", "RecommendationStarring": "Protagonizado por {0}", - "StatusSuccess": "Exitoso", - "MessageEnsureOpenTuner": "Por favor aseg\u00farese de que se encuentre disponible un sintonizador abierto.", "HeaderConfirmRecordingCancellation": "Confirmar Cancelaci\u00f3n de la Grabaci\u00f3n", - "MessageFileWillBeDeleted": "El siguiente archivo sera eliminado:", - "ButtonDashboard": "Panel de Control", "MessageConfirmRecordingCancellation": "\u00bfEst\u00e1 seguro de querer cancelar esta grabaci\u00f3n?", - "MessageSureYouWishToProceed": "\u00bfEst\u00e1 seguro de querer continuar?", - "ButtonHelp": "Ayuda", - "ButtonReports": "Reportes", - "HeaderUnrated": "Sin clasificar", "MessageRecordingCancelled": "Grabaci\u00f3n cancelada.", - "MessageDuplicatesWillBeDeleted": "Adicionalmente se eliminaran los siguientes duplicados:", - "ButtonMetadataManager": "Administrador de Metadatos", - "ValueDiscNumber": "Disco {0}", - "OptionOff": "No", + "HeaderConfirmSeriesCancellation": "Confirmar Cancelaci\u00f3n de Serie", + "MessageConfirmSeriesCancellation": "\u00bfEst\u00e1 seguro de querer cancelar esta serie?", + "MessageSeriesCancelled": "Serie cancelada", "HeaderConfirmRecordingDeletion": "Confirmar Eliminaci\u00f3n de Grabaci\u00f3n", - "MessageFollowingFileWillBeMovedFrom": "El siguiente archivo sera movido de:", - "HeaderTime": "Hora", - "HeaderUnknownDate": "Fecha Desconocida", - "OptionOn": "Si", "MessageConfirmRecordingDeletion": "\u00bfEst\u00e1 seguro de querer eliminar esta grabaci\u00f3n?", - "MessageDestinationTo": "a:", - "HeaderAlbum": "\u00c1lbum", - "HeaderUnknownYear": "A\u00f1o Desconocido", - "OptionRelease": "Versi\u00f3n Oficial", "MessageRecordingDeleted": "Grabaci\u00f3n eliminada.", - "HeaderSelectWatchFolder": "Elegir Carpeta Monitoreada", - "HeaderAlbumArtist": "Artista del \u00c1lbum", - "HeaderMyViews": "Mis Vistas", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancelar Grabaci\u00f3n", - "HeaderSelectWatchFolderHelp": "Explore o introduzca la ruta para la carpeta para monitorear. La carpeta debe tener permisos de escritura.", - "HeaderArtist": "Artista", - "OptionDev": "Desarrollo (Inestable)", "MessageRecordingSaved": "Grabaci\u00f3n guardada.", - "OrganizePatternResult": "Resultado: {0}", - "HeaderLatestTvRecordings": "Grabaciones Recientes", - "UninstallPluginHeader": "Desinstalar Complemento", - "ButtonMute": "Mudo", - "HeaderRestart": "Reiniciar", - "UninstallPluginConfirmation": "\u00bfEst\u00e1 seguro de querer desinstalar {0}?", - "HeaderShutdown": "Apagar", - "NoPluginConfigurationMessage": "El complemento no requiere configuraci\u00f3n", - "MessageConfirmRestart": "\u00bfEsta seguro de que desea reiniciar el Servidor Emby?", - "MessageConfirmRevokeApiKey": "\u00bfEsta seguro de que desea revocar esta clave api? La conexi\u00f3n de la aplicaci\u00f3n con el Servidor Emby sera terminada abruptamente.", - "NoPluginsInstalledMessage": "No tiene complementos instalados.", - "MessageConfirmShutdown": "\u00bfEsta seguro de que desea detener el Servidor Emby?", - "HeaderConfirmRevokeApiKey": "Revocar llave de API", - "BrowsePluginCatalogMessage": "Explorar el catalogo de complementos para ver los complementos disponibles.", - "NewVersionOfSomethingAvailable": "\u00a1Una nueva versi\u00f3n de {0} esta disponible!", - "VersionXIsAvailableForDownload": "La versi\u00f3n {0} ahora esta disponible para descargar.", - "TextEnjoyBonusFeatures": "Disfruta de Caracter\u00edsticas Premium", - "ButtonHome": "Inicio", + "OptionSunday": "Domingo", + "OptionMonday": "Lunes", + "OptionTuesday": "Martes", + "OptionWednesday": "Mi\u00e9rcoles", + "OptionThursday": "Jueves", + "OptionFriday": "Viernes", + "OptionSaturday": "S\u00e1bado", + "OptionEveryday": "Todos los d\u00edas", "OptionWeekend": "Fines de Semana", - "ButtonSettings": "Configuraci\u00f3n", "OptionWeekday": "D\u00edas de semana", - "OptionEveryday": "Todos los d\u00edas", - "HeaderMediaFolders": "Carpetas de Medios", - "ValueDateCreated": "Fecha de creaci\u00f3n: {0}", - "MessageItemsAdded": "\u00cdtems agregados", - "HeaderScenes": "Escenas", - "HeaderNotifications": "Notificaciones", - "HeaderSelectPlayer": "Seleccionar Reproductor:", - "ButtonAddToCollection": "Agregar a colecci\u00f3n", - "HeaderSelectCertificatePath": "Seleccione Trayectoria del Certificado", - "LabelBirthDate": "Fecha de Nacimiento:", - "HeaderSelectPath": "Seleccionar Trayectoria", - "ButtonPlayTrailer": "Reproducir tr\u00e1iler", - "HeaderLibraryAccess": "Acceso a la Biblioteca", - "HeaderChannelAccess": "Acceso a los Canales", - "MessageChromecastConnectionError": "Su receptor Chromecast no puede conectarse con su Servidor Emby. Por favor revise las conexiones e intent\u00e9lo nuevamente.", - "TitleNotifications": "Notificaciones", - "MessageChangeRecurringPlanConfirm": "Despu\u00e9s de completar esta transacci\u00f3n necesitar\u00e1 cancelar su donaci\u00f3n recurrente previa desde su cuenta PayPal. Gracias por apoyar Emby.", - "MessageSupporterMembershipExpiredOn": "Su membres\u00eda de aficionado expir\u00f3 en {0}.", - "MessageYouHaveALifetimeMembership": "Usted cuenta con una membres\u00eda de aficionado vitalicia. Puede realizar donaciones adicionales individuales o recurrentes usando las opciones siguientes. Gracias por apoyar a Emby.", - "SyncJobStatusConverting": "Convirti\u00e9ndo", - "MessageYouHaveAnActiveRecurringMembership": "Usted cuenta con membres\u00eda {0} activa. Puede mejorarla usando las opciones siguientes.", - "SyncJobStatusFailed": "Fallido", - "SyncJobStatusCancelled": "Cancelado", - "SyncJobStatusTransferring": "Transfiri\u00e9ndo", - "FolderTypeUnset": "No establecido (contenido mixto)", + "HeaderConfirmDeletion": "Confirmar Eliminaci\u00f3n", + "MessageConfirmPathSubstitutionDeletion": "\u00bfEst\u00e1 seguro de querer eliminar esta ruta alternativa?", + "LiveTvUpdateAvailable": "(Actualizaci\u00f3n disponible)", + "LabelVersionUpToDate": "\u00a1Actualizado!", + "ButtonResetTuner": "Resetear sintonizador", + "HeaderResetTuner": "Resetear Sintonizador", + "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", + "StatusRecording": "Grabando", + "StatusWatching": "Viendo", + "StatusRecordingProgram": "Grabando {0}", + "StatusWatchingProgram": "Viendo {0}", + "HeaderSplitMedia": "Dividir y Separar Medios", + "MessageConfirmSplitMedia": "\u00bfEst\u00e1 seguro de querer dividir y separar estos medios en elementos individuales?", + "HeaderError": "Error", + "MessageChromecastConnectionError": "Su receptor Chromecast no puede conectarse con su Servidor Emby. Por favor revise las conexiones e intent\u00e9lo nuevamente.", + "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": "Las aplicaciones Emby eligiran autom\u00e1ticamente la versi\u00f3n optima para reproducir basado en el dispositivo y rendimiento de red. \u00bfEsta seguro de que desea continuar?", + "HeaderResume": "Continuar", + "HeaderMyViews": "Mis Vistas", + "HeaderLibraryFolders": "Carpetas de Medios", + "HeaderLatestMedia": "Agregadas Recientemente", + "ButtonMoreItems": "M\u00e1s...", + "ButtonMore": "M\u00e1s", + "HeaderFavoriteMovies": "Pel\u00edculas Preferidas", + "HeaderFavoriteShows": "Programas Preferidos", + "HeaderFavoriteEpisodes": "Episodios Preferidos", + "HeaderFavoriteGames": "Juegos Preferidos", + "HeaderRatingsDownloads": "Calificaciones \/ Descargas", + "HeaderConfirmProfileDeletion": "Confirmar Eliminaci\u00f3n del 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", + "HeaderSelectMetadataPath": "Seleccionar Ruta para Metadatos", + "HeaderSelectServerCachePathHelp": "Explore o introduzca la ruta a utilizar para los archivos del cach\u00e9 del servidor. La carpeta debe tener permisos de escritura.", + "HeaderSelectTranscodingPathHelp": "Explore o introduzca la ruta a utilizar para los archivos temporales de transcodificaci\u00f3n. La carpeta debe tener permisos de escritura.", + "HeaderSelectImagesByNamePathHelp": "Explore o introduzca la ruta a utilizar para la carpeta de im\u00e1genes por nombre. La carpeta debe tener permisos de escritura.", + "HeaderSelectMetadataPathHelp": "Explore o introduzca la ruta donde desea almacenar los metadatos. La carpeta debe tener permisos de escritura.", + "HeaderSelectChannelDownloadPath": "Selecciona una ruta para la descarga del canal", + "HeaderSelectChannelDownloadPathHelp": "Explore o introduzca la ruta usada para almacenar los archivos temporales del canal. La carpeta debe tener permisos de escritura.", + "OptionNewCollection": "Nuevo...", + "ButtonAdd": "Agregar", + "ButtonRemove": "Eliminar", "LabelChapterDownloaders": "Descargadores de Cap\u00edtulos:", "LabelChapterDownloadersHelp": "Habilite y califique sus descargadores de cap\u00edtulos preferidos en orden de prioridad. Los descargadores con menor prioridad s\u00f3lo seran utilizados para completar informaci\u00f3n faltante.", - "HeaderUsers": "Usuarios", - "ValueStatus": "Estado: {0}", - "MessageInternetExplorerWebm": "Para mejores resultados con Internet Explorer por favor instale el complemento de reproducci\u00f3n WebM.", - "HeaderResume": "Continuar", - "HeaderVideoError": "Error de Video", + "HeaderFavoriteAlbums": "\u00c1lbumes Favoritos", + "HeaderLatestChannelMedia": "Elementos del Canal Recientes", + "ButtonOrganizeFile": "Organizar Archivo", + "ButtonDeleteFile": "Eliminar Archivo", + "HeaderOrganizeFile": "Organizar Archivo", + "HeaderDeleteFile": "Eliminar Archivo", + "StatusSkipped": "Saltado", + "StatusFailed": "Fallido", + "StatusSuccess": "Exitoso", + "MessageFileWillBeDeleted": "El siguiente archivo sera eliminado:", + "MessageSureYouWishToProceed": "\u00bfEst\u00e1 seguro de querer continuar?", + "MessageDuplicatesWillBeDeleted": "Adicionalmente se eliminaran los siguientes duplicados:", + "MessageFollowingFileWillBeMovedFrom": "El siguiente archivo sera movido de:", + "MessageDestinationTo": "a:", + "HeaderSelectWatchFolder": "Elegir Carpeta Monitoreada", + "HeaderSelectWatchFolderHelp": "Explore o introduzca la ruta para la carpeta para monitorear. La carpeta debe tener permisos de escritura.", + "OrganizePatternResult": "Resultado: {0}", + "HeaderRestart": "Reiniciar", + "HeaderShutdown": "Apagar", + "MessageConfirmRestart": "\u00bfEsta seguro de que desea reiniciar el Servidor Emby?", + "MessageConfirmShutdown": "\u00bfEsta seguro de que desea detener el Servidor Emby?", + "ButtonUpdateNow": "Actualizar Ahora", + "ValueItemCount": "{0} \u00edtem", + "ValueItemCountPlural": "{0} \u00edtems", + "NewVersionOfSomethingAvailable": "\u00a1Una nueva versi\u00f3n de {0} esta disponible!", + "VersionXIsAvailableForDownload": "La versi\u00f3n {0} ahora esta disponible para descargar.", + "LabelVersionNumber": "Versi\u00f3n {0}", + "LabelPlayMethodTranscoding": "Trasncodificado", + "LabelPlayMethodDirectStream": "Transmisi\u00f3n Directa", + "LabelPlayMethodDirectPlay": "Reproducci\u00f3n Directa", + "LabelEpisodeNumber": "N\u00famero de episodio:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Direcci\u00f3n local: {0}", + "LabelRemoteAccessUrl": "Acceso remoto: {0}", + "LabelRunningOnPort": "Ejecut\u00e1ndose en el puerto http {0}.", + "LabelRunningOnPorts": "Ejecut\u00e1ndose en el puerto http {0} y el puerto https {1}.", + "HeaderLatestFromChannel": "M\u00e1s recientes desde {0}", + "LabelUnknownLanaguage": "Idioma desconocido", + "HeaderCurrentSubtitles": "Subtitulos Actuales", + "MessageDownloadQueued": "La descarga se ha agregado a la cola.", + "MessageAreYouSureDeleteSubtitles": "\u00bfEst\u00e1 seguro de querer eliminar este archivo de subtitulos?", "ButtonRemoteControl": "Control Remoto", - "TabSongs": "Canciones", - "TabAlbums": "\u00c1lbumes", - "MessageFeatureIncludedWithSupporter": "Se encuentra registrado para esta caracter\u00edstica, y podr\u00e1 continuar us\u00e1ndola con una membres\u00eda de aficionado activa.", + "HeaderLatestTvRecordings": "Grabaciones Recientes", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonRefresh": "Actualizar", + "LabelCurrentPath": "Ruta actual:", + "HeaderSelectMediaPath": "Seleccionar ruta a medios", + "HeaderSelectPath": "Seleccionar Trayectoria", + "ButtonNetwork": "Red", + "MessageDirectoryPickerInstruction": "Las rutas de red pueden ser introducidas manualmente en caso de que el bot\u00f3n de Red no pueda localizar sus dispositivos. Por ejemplo, {0} or {1}.", + "HeaderMenu": "Men\u00fa", + "ButtonOpen": "Abrir", + "ButtonOpenInNewTab": "Abrir en una pesta\u00f1a nueva", + "ButtonShuffle": "Mezclar", + "ButtonInstantMix": "Mix instant\u00e1neo", + "ButtonResume": "Continuar", + "HeaderScenes": "Escenas", + "HeaderAudioTracks": "Pistas de Audio", + "HeaderLibraries": "Bibliotecas", + "HeaderSubtitles": "Subt\u00edtulos", + "HeaderVideoQuality": "Calidad de Video", + "MessageErrorPlayingVideo": "Ha ocurrido un error al reproducir el video.", + "MessageEnsureOpenTuner": "Por favor aseg\u00farese de que se encuentre disponible un sintonizador abierto.", + "ButtonHome": "Inicio", + "ButtonDashboard": "Panel de Control", + "ButtonReports": "Reportes", + "ButtonMetadataManager": "Administrador de Metadatos", + "HeaderTime": "Hora", + "HeaderName": "Nombre", + "HeaderAlbum": "\u00c1lbum", + "HeaderAlbumArtist": "Artista del \u00c1lbum", + "HeaderArtist": "Artista", + "LabelAddedOnDate": "Agregado {0}", + "ButtonStart": "Iniciar", + "LabelSeasonNumber": "N\u00famero de temporada:", + "HeaderChannels": "Canales", + "HeaderMediaFolders": "Carpetas de Medios", + "HeaderBlockItemsWithNoRating": "Bloquear contenido sin informaci\u00f3n de clasificaci\u00f3n:", + "OptionBlockOthers": "Otros", + "OptionBlockTvShows": "Programas de TV", + "OptionBlockTrailers": "Tr\u00e1ilers", + "OptionBlockMusic": "M\u00fasica", + "OptionBlockMovies": "Pel\u00edculas", + "OptionBlockBooks": "Libros", + "OptionBlockGames": "Juegos", + "OptionBlockLiveTvPrograms": "Programas de TV en Vivo", + "OptionBlockLiveTvChannels": "Canales de TV en Vivo", + "OptionBlockChannelContent": "Contenido de Canales de Internet", + "ButtonRevoke": "Revocar", + "MessageConfirmRevokeApiKey": "\u00bfEsta seguro de que desea revocar esta clave api? La conexi\u00f3n de la aplicaci\u00f3n con el Servidor Emby sera terminada abruptamente.", + "HeaderConfirmRevokeApiKey": "Revocar llave de API", "ValueContainer": "Contenedor: {0}", "ValueAudioCodec": "C\u00f3dec de Audio: {0}", "ValueVideoCodec": "C\u00f3dec de Video: {0}", - "TabMusicVideos": "Videos Musicales", "ValueCodec": "C\u00f3dec: {0}", - "HeaderLatestReviews": "Rese\u00f1as Recientes", - "HeaderDevices": "Dispositivos", "ValueConditions": "Condiciones: {0}", - "HeaderPluginInstallation": "Instalaci\u00f3n de complemento", "LabelAll": "Todos", - "MessageAlreadyInstalled": "Esta versi\u00f3n ya se encuentra instalada.", "HeaderDeleteImage": "Eliminar Im\u00e1gen", - "ValueReviewCount": "{0} Rese\u00f1as", "MessageFileNotFound": "Archivo no encontrado.", - "MessageYouHaveVersionInstalled": "Actualmente cuenta con la vesi\u00f3n {0} instalada.", "MessageFileReadError": "Ha ocurrido un error al leer este archivo.", - "MessageTrialExpired": "El periodo de prueba de esta caracter\u00edstica ya ha expirado.", "ButtonNextPage": "P\u00e1gina Siguiente", - "OptionWatched": "Vista", - "MessageTrialWillExpireIn": "El periodo de prueba de esta caracter\u00edstica expirar\u00e1 en {0} d\u00eda(s).", "ButtonPreviousPage": "P\u00e1gina Anterior", - "OptionUnwatched": "No vista", - "MessageInstallPluginFromApp": "El complemento debe estar instalado desde la aplicaci\u00f3n en la que va a utilizarlo.", - "OptionRuntime": "Duraci\u00f3n", - "HeaderMyMedia": "Mis Medios", "ButtonMoveLeft": "Mover a la izquierda", - "ExternalPlayerPlaystateOptionsHelp": "Especifique como desea reiniciar la reproducci\u00f3n de este video la pr\u00f3xima vez.", - "ValuePriceUSD": "Precio: {0} (USD)", "OptionReleaseDate": "Fecha de estreno", "ButtonMoveRight": "Mover a la derecha", - "LabelMarkAs": "Marcar como:", "ButtonBrowseOnlineImages": "Buscar im\u00e1genes en l\u00ednea", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Por favor acepte los t\u00e9rminos del servicio antes de continuar.", - "OptionInProgress": "En Progreso", "HeaderDeleteItem": "Eliminar \u00cdtem", - "ButtonUninstall": "Desinstalar", - "LabelResumePoint": "Punto de reinicio:", "ConfirmDeleteItem": "Al eliminar este \u00edtem se eliminar\u00e1 tanto del sistema de archivos como de su biblioteca de medios. \u00bfEsta seguro de querer continuar?", - "ValueOneMovie": "1 pel\u00edcula", - "ValueItemCount": "{0} \u00edtem", "MessagePleaseEnterNameOrId": "Por favor introduzca un nombre o id externo.", - "ValueMovieCount": "{0} pel\u00edculas", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} \u00edtems", "MessageValueNotCorrect": "El valor introducido no es correcto. Intente nuevamente por favor.", - "ValueOneTrailer": "1 tr\u00e1iler", "MessageItemSaved": "\u00cdtem guardado.", - "HeaderWelcomeBack": "\u00a1Bienvenido nuevamente!", - "ValueTrailerCount": "{0} tr\u00e1ilers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Por favor acepte los t\u00e9rminos del servicio antes de continuar.", + "OptionEnded": "Finalizado", + "OptionContinuing": "Continuando", + "OptionOff": "No", + "OptionOn": "Si", + "ButtonSettings": "Configuraci\u00f3n", + "ButtonUninstall": "Desinstalar", "HeaderFields": "Campos", - "ButtonTakeTheTourToSeeWhatsNew": "Inice el tour para ver que hay de nuevo", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Proveedores de Contenido", "HeaderFieldsHelp": "Deslice un campo hacia \"apagado\" para bloquearlo y evitar que sus datos sean modificados.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "TV en Vivo", - "ValueOneEpisode": "1 episodio", - "LabelRecurringDonationCanBeCancelledHelp": "Las donaciones recurrentes pueden ser canceladas en cualquier momento desde su cuenta PayPal.", - "ButtonRevoke": "Revocar", "MissingLocalTrailer": "Falta tr\u00e1iler local.", - "ValueEpisodeCount": "{0} episodios", - "PluginCategoryScreenSaver": "Protectores de Pantalla", - "ButtonMore": "M\u00e1s", "MissingPrimaryImage": "Falta im\u00e1gen principal.", - "ValueOneGame": "1 juego", - "HeaderFavoriteMovies": "Pel\u00edculas Preferidas", "MissingBackdropImage": "Falta im\u00e1gen de fondo.", - "ValueGameCount": "{0} juegos", - "HeaderFavoriteShows": "Programas Preferidos", "MissingLogoImage": "Falta im\u00e1gen de logo.", - "ValueOneAlbum": "1 \u00e1lbum", - "PluginCategoryTheme": "Temas", - "HeaderFavoriteEpisodes": "Episodios Preferidos", "MissingEpisode": "Falta episodio.", - "ValueAlbumCount": "{0} \u00e1lbumes", - "HeaderFavoriteGames": "Juegos Preferidos", - "MessagePlaybackErrorPlaceHolder": "No es posible reproducir el contenido seleccionado en este dispositivo.", "OptionScreenshots": "Capuras de Pantalla", - "ValueOneSong": "1 canci\u00f3n", - "HeaderRatingsDownloads": "Calificaciones \/ Descargas", "OptionBackdrops": "Fondos", - "MessageErrorLoadingSupporterInfo": "Se present\u00f3 un error al cargar la informaci\u00f3n del aficionado. Por favor int\u00e9ntelo m\u00e1s tarde.", - "ValueSongCount": "{0} canciones", - "PluginCategorySync": "Sinc", - "HeaderConfirmProfileDeletion": "Confirmar Eliminaci\u00f3n del Perfil", - "HeaderSelectDate": "Seleccionar fecha", - "ValueOneMusicVideo": "1 video musical", - "MessageConfirmProfileDeletion": "\u00bfEst\u00e1 seguro de querer eliminar este perfil?", "OptionImages": "Im\u00e1genes", - "ValueMusicVideoCount": "{0} videos musicales", - "HeaderSelectServerCachePath": "Seleccionar Trayector\u00eda para Cach\u00e9 del Servidor", "OptionKeywords": "Palabras clave", - "MessageLinkYourSupporterKey": "Enlaza tu clave de aficionado con hasta {0} miembros de Emby Connect para disfrutar de acceso gratuito a la siguientes aplicaciones:", - "HeaderOffline": "Fuera de L\u00ednea", - "PluginCategorySocialIntegration": "Redes Sociales", - "HeaderSelectTranscodingPath": "Seleccionar Ruta para Transcodificaci\u00f3n Temporal", - "MessageThankYouForSupporting": "Gracias por apoyar Emby.", "OptionTags": "Etiquetas", - "HeaderUnaired": "No Emitido", - "HeaderSelectImagesByNamePath": "Seleccionar Ruta para Im\u00e1genes por Nombre", "OptionStudios": "Estudios", - "HeaderMissing": "Falta", - "HeaderSelectMetadataPath": "Seleccionar Ruta para Metadatos", "OptionName": "Nombre", - "HeaderConfirmRemoveUser": "Eliminar Usuario", - "ButtonWebsite": "Sitio web", - "PluginCategoryNotifications": "Notificaciones", - "HeaderSelectServerCachePathHelp": "Explore o introduzca la ruta a utilizar para los archivos del cach\u00e9 del servidor. La carpeta debe tener permisos de escritura.", - "SyncJobStatusQueued": "En cola", "OptionOverview": "Sinopsis", - "TooltipFavorite": "Favorito", - "HeaderSelectTranscodingPathHelp": "Explore o introduzca la ruta a utilizar para los archivos temporales de transcodificaci\u00f3n. La carpeta debe tener permisos de escritura.", - "ButtonCancelItem": "Cancelar \u00edtem.", "OptionGenres": "G\u00e9neros", - "ButtonScheduledTasks": "Tareas programadas", - "ValueTimeLimitSingleHour": "L\u00edmite de tiempo: 1 hora", - "TooltipLike": "Me gusta", - "HeaderSelectImagesByNamePathHelp": "Explore o introduzca la ruta a utilizar para la carpeta de im\u00e1genes por nombre. La carpeta debe tener permisos de escritura.", - "SyncJobStatusCompleted": "Sincronizado", + "OptionParentalRating": "Clasificaci\u00f3n Parental", "OptionPeople": "Personas", - "MessageConfirmRemoveConnectSupporter": "\u00bfEst\u00e1 seguro de querer eliminar los beneficios adicionales de aficionado de este usuario?", - "TooltipDislike": "No me gusta", - "PluginCategoryMetadata": "Metadatos", - "HeaderSelectMetadataPathHelp": "Explore o introduzca la ruta donde desea almacenar los metadatos. La carpeta debe tener permisos de escritura.", - "ButtonQueueForRetry": "En cola para reintentar", - "SyncJobStatusCompletedWithError": "Sincronizado con errores", + "OptionRuntime": "Duraci\u00f3n", "OptionProductionLocations": "Lugares de Producci\u00f3n", - "ButtonDonate": "Donar", - "TooltipPlayed": "Reproducido", "OptionBirthLocation": "Lugar de Nacimiento", - "ValueTimeLimitMultiHour": "L\u00edmite de tiempo: {0} horas", - "ValueSeriesYearToPresent": "{0}-Presente", - "ButtonReenable": "Re-habilitar", + "LabelAllChannels": "Todos los canales", "LabelLiveProgram": "EN VIVO", - "ConfirmMessageScheduledTaskButton": "Esta operaci\u00f3n normalmente es ejecutada autom\u00e1ticamente como una tarea programada. Tambi\u00e9n puede ser ejecutada manualmente desde aqu\u00ed. Para configurar la tarea programada, vea:", - "ValueAwards": "Premios: {0}", - "PluginCategoryLiveTV": "TV en Vivo", "LabelNewProgram": "NUEVO", - "ValueBudget": "Presupuesto: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remover", "LabelPremiereProgram": "ESTRENO", - "ValueRevenue": "Ingresos: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Cambiar Tipo de Contenido", - "ButtonQueueAllFromHere": "Encolar todos desde aqu\u00ed", - "ValuePremiered": "Estrenado: {0}", - "PluginCategoryChannel": "Canales", - "HeaderLibraryFolders": "Carpetas de Medios", - "ButtonMarkForRemoval": "Remover de dispositivo", "HeaderChangeFolderTypeHelp": "Para cambiar el tipo, por favor elimine y reconstruya la carpeta con el nuevo tipo.", - "ButtonPlayAllFromHere": "Reproducir todos desde aqu\u00ed", - "ValuePremieres": "Estrenos: {0}", "HeaderAlert": "Alerta", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Estudio: {0}", - "ButtonUnmarkForRemoval": "Cancelar remover de dispositivo", "MessagePleaseRestart": "Por favor reinicie para finalizar la actualizaci\u00f3n.", - "HeaderIdentify": "Identificar \u00edtem", - "ValueStudios": "Estudios: {0}", + "ButtonRestart": "Reiniciar", "MessagePleaseRefreshPage": "Por favor actualice esta p\u00e1gina para recibir nuevas actualizaciones desde el servidor.", - "PersonTypePerson": "Persona", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Especial: {0}", - "TitlePlugins": "Complementos", - "MessageConfirmSyncJobItemCancellation": "\u00bfEsta seguro que desea cancelar este \u00edtem?", "ButtonHide": "Ocultar", - "LabelTitleDisplayOrder": "Ordenamiento de despliegue de t\u00edtulos:", - "ButtonViewSeriesRecording": "Ver grabaciones de series", "MessageSettingsSaved": "Configuraciones guardadas", - "OptionSortName": "Nombre para ordenar", - "ValueOriginalAirDate": "Fecha de transmisi\u00f3n original: {0}", - "HeaderLibraries": "Bibliotecas", "ButtonSignOut": "Cerrar Sesi\u00f3n", - "ButtonOk": "Ok", "ButtonMyProfile": "Mi Perf\u00edl", - "ButtonCancel": "Cancelar", "ButtonMyPreferences": "Mis Preferencias", - "LabelDiscNumber": "N\u00famero de disco", "MessageBrowserDoesNotSupportWebSockets": "Este navegador no soporta sockets web. Para una mejor experiencia, pruebe con un navegador m\u00e1s nuevo como Chrome, Firefox, IE10+, Safari (iOS) u Opera.", - "LabelParentNumber": "N\u00famero antecesor", "LabelInstallingPackage": "Instalando {0}", - "TitleSync": "Sinc", "LabelPackageInstallCompleted": "{0} instalaci\u00f3n completada.", - "LabelTrackNumber": "N\u00famero de Pista:", "LabelPackageInstallFailed": "{0} instalaci\u00f3n fallida.", - "LabelNumber": "N\u00famero:", "LabelPackageInstallCancelled": "{0} instalaci\u00f3n cancelada.", - "LabelReleaseDate": "Fecha de estreno:", + "TabServer": "Servidor", "TabUsers": "Usuarios", - "LabelEndDate": "Fecha de Fin:", "TabLibrary": "Biblioteca", - "LabelYear": "A\u00f1o:", + "TabMetadata": "Metadatos", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Fecha de nacimiento:", "TabLiveTV": "TV en Vivo", - "LabelBirthYear": "A\u00f1o de nacimiento:", "TabAutoOrganize": "Auto-Organizar", - "LabelDeathDate": "Fecha de defunci\u00f3n:", "TabPlugins": "Complementos", - "HeaderRemoveMediaLocation": "Eliminar Ubicaci\u00f3n de Medios", - "HeaderDeviceAccess": "Acceso a Dispositivos", + "TabAdvanced": "Avanzado", "TabHelp": "Ayuda", - "MessageConfirmRemoveMediaLocation": "\u00bfEst\u00e1 seguro de querer eliminar esta ubicaci\u00f3n?", - "HeaderSelectDevices": "Seleccionar Dispositivos", "TabScheduledTasks": "Tareas Programadas", - "HeaderRenameMediaFolder": "Renombrar Carpeta de Medios", - "LabelNewName": "Nuevo nombre:", - "HeaderLatestFromChannel": "M\u00e1s recientes desde {0}", - "HeaderAddMediaFolder": "Agregar Carpeta de Medios", - "ButtonQuality": "Calidad", - "HeaderAddMediaFolderHelp": "Nombre (Pel\u00edculas, M\u00fascia, TV, etc.):", "ButtonFullscreen": "Pantalla completa", - "HeaderRemoveMediaFolder": "Eliminar Carpteta de Medios", - "ButtonScenes": "Escenas", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "Las siguientes ubicaciones de medios ser\u00e1n eliminadas de su biblioteca:", - "ErrorLaunchingChromecast": "Hubo un error iniciando chromecast. Por favor aseg\u00farate de que tu dispositivo este conectado a tu red inalambrica", - "ButtonSubtitles": "Subt\u00edtulos", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00bfEst\u00e1 seguro de querer eliminar esta carpeta de medios?", - "MessagePleaseSelectOneItem": "Por favor selecciona al menos un elemento.", "ButtonAudioTracks": "Pistas de Audio", - "ButtonRename": "Renombrar", - "MessagePleaseSelectTwoItems": "Por favor selecciona al menos dos elementos.", - "ButtonPreviousTrack": "Pista Anterior", - "ButtonChangeType": "Cambiar tipo", - "HeaderSelectChannelDownloadPath": "Selecciona una ruta para la descarga del canal", - "ButtonNextTrack": "Pista Siguiente", - "HeaderMediaLocations": "Ubicaciones de Medios", - "HeaderSelectChannelDownloadPathHelp": "Explore o introduzca la ruta usada para almacenar los archivos temporales del canal. La carpeta debe tener permisos de escritura.", - "ButtonStop": "Detener", - "OptionNewCollection": "Nuevo...", - "ButtonPause": "Pausar", - "TabMovies": "Pel\u00edculas", - "LabelPathSubstitutionHelp": "Opcional: La sustituci\u00f3n de trayectoras puede mapear trayectorias del servidor a recursos de red comaprtidos que los clientes pueden acceder para reproducir de manera directa.", - "TabTrailers": "Tr\u00e1ilers", - "FolderTypeMovies": "Pel\u00edculas", - "LabelCollection": "Colecci\u00f3n", - "FolderTypeMusic": "M\u00fasica", - "FolderTypeAdultVideos": "Videos para adultos", - "HeaderAddToCollection": "Agregar a Colecci\u00f3n.", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "FolderTypeMusicVideos": "Videos musicales", - "SettingsSaved": "Configuraci\u00f3n guardada.", - "OptionParentalRating": "Clasificaci\u00f3n Parental", - "FolderTypeHomeVideos": "Videos caseros", - "AddUser": "Agregar usuario", - "HeaderMenu": "Men\u00fa", - "FolderTypeGames": "Juegos", - "Users": "Usuarios", - "ButtonRefresh": "Actualizar", - "PinCodeResetComplete": "El c\u00f3digo pin ha sido restablecido.", - "ButtonOpen": "Abrir", - "FolderTypeBooks": "Libros", - "Delete": "Eliminar", - "LabelCurrentPath": "Ruta actual:", - "TabAdvanced": "Avanzado", - "ButtonOpenInNewTab": "Abrir en una pesta\u00f1a nueva", - "FolderTypeTvShows": "TV", - "Administrator": "Administrador", - "HeaderSelectMediaPath": "Seleccionar ruta a medios", - "PinCodeResetConfirmation": "\u00bfEsta seguro de querer restablecer el c\u00f3digo pin?", - "ButtonShuffle": "Mezclar", - "ButtonCancelSyncJob": "Cancelar trabajo de Sinc.", - "BirthPlaceValue": "Lugar de nacimiento: {0}", - "Password": "Contrase\u00f1a", - "ButtonNetwork": "Red", - "OptionContinuing": "Continuando", - "ButtonInstantMix": "Mix instant\u00e1neo", - "DeathDateValue": "Fallcimiento: {0}", - "MessageDirectoryPickerInstruction": "Las rutas de red pueden ser introducidas manualmente en caso de que el bot\u00f3n de Red no pueda localizar sus dispositivos. Por ejemplo, {0} or {1}.", - "HeaderPinCodeReset": "Restablecer C\u00f3digo Pin", - "OptionEnded": "Finalizado", - "ButtonResume": "Continuar", + "ButtonSubtitles": "Subt\u00edtulos", + "ButtonScenes": "Escenas", + "ButtonQuality": "Calidad", + "HeaderNotifications": "Notificaciones", + "HeaderSelectPlayer": "Seleccionar Reproductor:", + "ButtonSelect": "Seleccionar", + "ButtonNew": "Nuevo", + "MessageInternetExplorerWebm": "Para mejores resultados con Internet Explorer por favor instale el complemento de reproducci\u00f3n WebM.", + "HeaderVideoError": "Error de Video", "ButtonAddToPlaylist": "Agregar a lista de reproducci\u00f3n", - "BirthDateValue": "Nacimiento: {0}", - "ButtonMoreItems": "M\u00e1s...", - "DeleteImage": "Eliminar imagen", "HeaderAddToPlaylist": "Agregar a Lista de Reproducci\u00f3n", - "LabelSelectCollection": "Elegir colecci\u00f3n:", - "MessageNoSyncJobsFound": "No se han encontrado trabajos de sincronizaci\u00f3n. Cree trabajos de sincronizaci\u00f3n empleando los botones de Sinc que se encuentran en la intergface web.", - "ButtonRemoveFromPlaylist": "Eliminar de la lista de reproducci\u00f3n", - "DeleteImageConfirmation": "\u00bfEst\u00e1 seguro de querer eliminar esta imagen?", - "HeaderLoginFailure": "Fall\u00f3 el Inicio de Sesi\u00f3n", - "OptionSunday": "Domingo", + "LabelName": "Nombre:", + "ButtonSubmit": "Enviar", "LabelSelectPlaylist": "Lista de Reproducci\u00f3n:", - "LabelContentTypeValue": "Tipo de contenido: {0}", - "FileReadCancelled": "La lectura del archivo ha sido cancelada.", - "OptionMonday": "Lunes", "OptionNewPlaylist": "Nueva lista de reproducci\u00f3n...", - "FileNotFound": "Archivo no encontrado.", - "HeaderPlaybackError": "Error de Reproducci\u00f3n", - "OptionTuesday": "Martes", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Ha ocurrido un error al leer el archivo.", - "HeaderName": "Nombre", - "OptionWednesday": "Mi\u00e9rcoles", + "ButtonView": "Vista", + "ButtonViewSeriesRecording": "Ver grabaciones de series", + "ValueOriginalAirDate": "Fecha de transmisi\u00f3n original: {0}", + "ButtonRemoveFromPlaylist": "Eliminar de la lista de reproducci\u00f3n", + "HeaderSpecials": "Especiales", + "HeaderTrailers": "Tr\u00e1ilers", + "HeaderAudio": "Audio", + "HeaderResolution": "Resoluci\u00f3n", + "HeaderVideo": "Video", + "HeaderRuntime": "Duraci\u00f3n", + "HeaderCommunityRating": "Calificaci\u00f3n de la comunidad", + "HeaderPasswordReset": "Restablecer Contrase\u00f1a", + "HeaderParentalRating": "Clasificaci\u00f3n parental", + "HeaderReleaseDate": "Fecha de estreno", + "HeaderDateAdded": "Fecha de adici\u00f3n", + "HeaderSeries": "Series", + "HeaderSeason": "Temporada", + "HeaderSeasonNumber": "N\u00famero de temporada", + "HeaderNetwork": "Cadena", + "HeaderYear": "A\u00f1o", + "HeaderGameSystem": "Sistema de juegos", + "HeaderPlayers": "Jugadores", + "HeaderEmbeddedImage": "Im\u00e1gen embebida", + "HeaderTrack": "Pista", + "HeaderDisc": "Disco", + "OptionMovies": "Pel\u00edculas", "OptionCollections": "Colecciones", - "DeleteUser": "Eliminar Usuario", - "OptionThursday": "Jueves", "OptionSeries": "Series", - "DeleteUserConfirmation": "\u00bfEst\u00e1 seguro de querer eliminar este usuario?", - "MessagePlaybackErrorNotAllowed": "Actualmente no esta autorizado para reproducir este contenido. Por favor contacte a su administrador de sistema para mas informaci\u00f3n.", - "OptionFriday": "Viernes", "OptionSeasons": "Temporadas", - "PasswordResetHeader": "Restablecer Contrase\u00f1a", - "OptionSaturday": "S\u00e1bado", + "OptionEpisodes": "Episodios", "OptionGames": "Juegos", - "PasswordResetComplete": "La contrase\u00f1a ha sido restablecida.", - "HeaderSpecials": "Especiales", "OptionGameSystems": "Sistemas de juegos", - "PasswordResetConfirmation": "\u00bfEst\u00e1 seguro de querer restablecer la contrase\u00f1a?", - "MessagePlaybackErrorNoCompatibleStream": "No hay streams compatibles en este en este momento. Por favor intente de nuevo mas tarde o contacte a su administrador de sistema para mas detalles.", - "HeaderTrailers": "Tr\u00e1ilers", "OptionMusicArtists": "Int\u00e9rpretes", - "PasswordSaved": "Contrase\u00f1a guardada.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "\u00c1lbumes musicales", - "PasswordMatchError": "La Contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben coincidir.", - "HeaderResolution": "Resoluci\u00f3n", - "LabelFailed": "(Fallido)", "OptionMusicVideos": "Videos musicales", - "MessagePlaybackErrorRateLimitExceeded": "Su limite de transferencia ha sido excedido. Por favor contacte a su administrador de sistema para mas informaci\u00f3n.", - "HeaderVideo": "Video", - "ButtonSelect": "Seleccionar", - "LabelVersionNumber": "Versi\u00f3n {0}", "OptionSongs": "Canciones", - "HeaderRuntime": "Duraci\u00f3n", - "LabelPlayMethodTranscoding": "Trasncodificado", "OptionHomeVideos": "Videos caseros", - "ButtonSave": "Guardar", - "HeaderCommunityRating": "Calificaci\u00f3n de la comunidad", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Transmisi\u00f3n Directa", "OptionBooks": "Libros", - "HeaderParentalRating": "Clasificaci\u00f3n parental", - "LabelSeasonNumber": "N\u00famero de temporada:", - "HeaderChannels": "Canales", - "LabelPlayMethodDirectPlay": "Reproducci\u00f3n Directa", "OptionAdultVideos": "Videos para adultos", - "ButtonDownload": "Descargar", - "HeaderReleaseDate": "Fecha de estreno", - "LabelEpisodeNumber": "N\u00famero de episodio:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Arriba", - "LabelUnknownLanaguage": "Idioma desconocido", - "HeaderDateAdded": "Fecha de adici\u00f3n", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Abajo", - "HeaderCurrentSubtitles": "Subtitulos Actuales", - "ButtonPlayExternalPlayer": "Reproducir con un reproductor externo", - "HeaderSeries": "Series", - "TabServer": "Servidor", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Acceso remoto: {0}", "LabelMetadataReaders": "Lectores de metadatos:", - "MessageDownloadQueued": "La descarga se ha agregado a la cola.", - "HeaderSelectExternalPlayer": "Seleccionar Reproductor Externo", - "HeaderSeason": "Temporada", - "HeaderSupportTheTeam": "Apoye al equipo de Emby", - "LabelRunningOnPort": "Ejecut\u00e1ndose en el puerto http {0}.", "LabelMetadataReadersHelp": "Ordene sus fuentes de metadatos locales por prioridad. El primer archivo encontrado ser\u00e1 le\u00eddo.", - "MessageAreYouSureDeleteSubtitles": "\u00bfEst\u00e1 seguro de querer eliminar este archivo de subtitulos?", - "HeaderExternalPlayerPlayback": "Reproducci\u00f3n con Reproductor Externo", - "HeaderSeasonNumber": "N\u00famero de temporada", - "LabelRunningOnPorts": "Ejecut\u00e1ndose en el puerto http {0} y el puerto https {1}.", "LabelMetadataDownloaders": "Recolectores de metadatos:", - "ButtonImDone": "He Terminado", - "HeaderNetwork": "Cadena", "LabelMetadataDownloadersHelp": "Habilite y priorice sus recolectores de metadatos preferidos. Los recolectores de metadatos de menor prioridad solo ser\u00e1n utilizados para llenar informaci\u00f3n faltante.", - "HeaderLatestMedia": "Agregadas Recientemente", - "HeaderYear": "A\u00f1o", "LabelMetadataSavers": "Grabadores de metadatos:", - "HeaderGameSystem": "Sistema de juegos", - "MessagePleaseSupportProject": "Por favor apoya Emby.", "LabelMetadataSaversHelp": "Seleccione los formatos de archivo con los que se guardaran sus metadatos.", - "HeaderPlayers": "Jugadores", "LabelImageFetchers": "Recolectores de im\u00e1genes:", - "HeaderEmbeddedImage": "Im\u00e1gen embebida", - "ButtonNew": "Nuevo", "LabelImageFetchersHelp": "Habilite y priorice sus recolectores de im\u00e1genes preferidos.", - "MessageSwipeDownOnRemoteControl": "Bienvenidos al control remoto. Seleccione el equipo para controlar haciendo clic en el icono en la esquina de arriba de la parte derecha. Deslizar hacia abajo en cualquier parte de la pantalla para regresar a donde usted estaba anteriormente.", - "HeaderTrack": "Pista", - "HeaderWelcomeToProjectServerDashboard": "Bienvenido al Panel de Control de Emby", - "TabMetadata": "Metadatos", - "HeaderDisc": "Disco", - "HeaderWelcomeToProjectWebClient": "Bienvenido a Emby", - "LabelName": "Nombre:", - "LabelAddedOnDate": "Agregado {0}", - "ButtonRemove": "Eliminar", - "ButtonStart": "Iniciar", + "ButtonQueueAllFromHere": "Encolar todos desde aqu\u00ed", + "ButtonPlayAllFromHere": "Reproducir todos desde aqu\u00ed", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identificar \u00edtem", + "PersonTypePerson": "Persona", + "LabelTitleDisplayOrder": "Ordenamiento de despliegue de t\u00edtulos:", + "OptionSortName": "Nombre para ordenar", + "LabelDiscNumber": "N\u00famero de disco", + "LabelParentNumber": "N\u00famero antecesor", + "LabelTrackNumber": "N\u00famero de Pista:", + "LabelNumber": "N\u00famero:", + "LabelReleaseDate": "Fecha de estreno:", + "LabelEndDate": "Fecha de Fin:", + "LabelYear": "A\u00f1o:", + "LabelDateOfBirth": "Fecha de nacimiento:", + "LabelBirthYear": "A\u00f1o de nacimiento:", + "LabelBirthDate": "Fecha de Nacimiento:", + "LabelDeathDate": "Fecha de defunci\u00f3n:", + "HeaderRemoveMediaLocation": "Eliminar Ubicaci\u00f3n de Medios", + "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": "\u00bfEst\u00e1 seguro de querer eliminar esta carpeta de medios?", + "ButtonRename": "Renombrar", + "ButtonChangeType": "Cambiar tipo", + "HeaderMediaLocations": "Ubicaciones de Medios", + "LabelContentTypeValue": "Tipo de contenido: {0}", + "LabelPathSubstitutionHelp": "Opcional: La sustituci\u00f3n de trayectoras puede mapear trayectorias del servidor a recursos de red comaprtidos que los clientes pueden acceder para reproducir de manera directa.", + "FolderTypeUnset": "No establecido (contenido mixto)", + "FolderTypeMovies": "Pel\u00edculas", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "Videos para adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Videos musicales", + "FolderTypeHomeVideos": "Videos caseros", + "FolderTypeGames": "Juegos", + "FolderTypeBooks": "Libros", + "FolderTypeTvShows": "TV", + "TabMovies": "Pel\u00edculas", + "TabSeries": "Series", + "TabEpisodes": "Episodios", + "TabTrailers": "Tr\u00e1ilers", + "TabGames": "Juegos", + "TabAlbums": "\u00c1lbumes", + "TabSongs": "Canciones", + "TabMusicVideos": "Videos Musicales", + "BirthPlaceValue": "Lugar de nacimiento: {0}", + "DeathDateValue": "Fallcimiento: {0}", + "BirthDateValue": "Nacimiento: {0}", + "HeaderLatestReviews": "Rese\u00f1as Recientes", + "HeaderPluginInstallation": "Instalaci\u00f3n de complemento", + "MessageAlreadyInstalled": "Esta versi\u00f3n ya se encuentra instalada.", + "ValueReviewCount": "{0} Rese\u00f1as", + "MessageYouHaveVersionInstalled": "Actualmente cuenta con la vesi\u00f3n {0} instalada.", + "MessageTrialExpired": "El periodo de prueba de esta caracter\u00edstica ya ha expirado.", + "MessageTrialWillExpireIn": "El periodo de prueba de esta caracter\u00edstica expirar\u00e1 en {0} d\u00eda(s).", + "MessageInstallPluginFromApp": "El complemento debe estar instalado desde la aplicaci\u00f3n en la que va a utilizarlo.", + "ValuePriceUSD": "Precio: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Se encuentra registrado para esta caracter\u00edstica, y podr\u00e1 continuar us\u00e1ndola con una membres\u00eda de aficionado activa.", + "MessageChangeRecurringPlanConfirm": "Despu\u00e9s de completar esta transacci\u00f3n necesitar\u00e1 cancelar su donaci\u00f3n recurrente previa desde su cuenta PayPal. Gracias por apoyar Emby.", + "MessageSupporterMembershipExpiredOn": "Su membres\u00eda de aficionado expir\u00f3 en {0}.", + "MessageYouHaveALifetimeMembership": "Usted cuenta con una membres\u00eda de aficionado vitalicia. Puede realizar donaciones adicionales individuales o recurrentes usando las opciones siguientes. Gracias por apoyar a Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Usted cuenta con membres\u00eda {0} activa. Puede mejorarla usando las opciones siguientes.", + "ButtonDelete": "Eliminar", "HeaderEmbyAccountAdded": "Cuenta Emby Agregada", - "HeaderBlockItemsWithNoRating": "Bloquear contenido sin informaci\u00f3n de clasificaci\u00f3n:", - "LabelLocalAccessUrl": "Direcci\u00f3n local: {0}", - "OptionBlockOthers": "Otros", - "SyncJobStatusReadyToTransfer": "Listo para Transferir", - "OptionBlockTvShows": "Programas de TV", - "SyncJobItemStatusReadyToTransfer": "Listo para Transferir", "MessageEmbyAccountAdded": "La cuenta Emby ha sido agregada a este usuario.", - "OptionBlockTrailers": "Tr\u00e1ilers", - "OptionBlockMusic": "M\u00fasica", - "OptionBlockMovies": "Pel\u00edculas", - "HeaderAllRecordings": "Todas las Grabaciones", "MessagePendingEmbyAccountAdded": "La cuenta Emby ha sido agregada a este usuario. Se enviara un correo electr\u00f3nico al propietario de la cuenta. La invitaci\u00f3n necesitara ser confirmada dando clic al enlace dentro del correo electr\u00f3nico.", - "OptionBlockBooks": "Libros", - "ButtonPlay": "Reproducir", - "OptionBlockGames": "Juegos", - "MessageKeyEmailedTo": "Clave enviada por correo a {0}.", - "TabGames": "Juegos", - "ButtonEdit": "Editar", - "OptionBlockLiveTvPrograms": "Programas de TV en Vivo", - "MessageKeysLinked": "Llaves Vinculadas", - "HeaderEmbyAccountRemoved": "Cuenta Emby Eliminada", - "OptionBlockLiveTvChannels": "Canales de TV en Vivo", - "HeaderConfirmation": "Confirmaci\u00f3n", - "ButtonDelete": "Eliminar", - "OptionBlockChannelContent": "Contenido de Canales de Internet", - "MessageKeyUpdated": "Gracias. Su clave de aficionado ha sido actualizada.", - "MessageKeyRemoved": "Gracias. Su clave de aficionado ha sido eliminada.", - "OptionMovies": "Pel\u00edculas", - "MessageEmbyAccontRemoved": "La cuenta Emby ha sido eliminada de este usuario.", - "HeaderSearch": "Buscar", - "OptionEpisodes": "Episodios", - "LabelArtist": "Artista", - "LabelMovie": "Pel\u00edcula", - "HeaderPasswordReset": "Restablecer Contrase\u00f1a", - "TooltipLinkedToEmbyConnect": "Enlazado a Emby Connect", - "LabelMusicVideo": "Video Musical", - "LabelEpisode": "Episodio", - "LabelAbortedByServerShutdown": "(Abortada por apagado del servidor)", - "HeaderConfirmSeriesCancellation": "Confirmar Cancelaci\u00f3n de Serie", - "LabelStopping": "Deteniendo", - "MessageConfirmSeriesCancellation": "\u00bfEst\u00e1 seguro de querer cancelar esta serie?", - "LabelCancelled": "(cancelado)", - "MessageSeriesCancelled": "Serie cancelada", - "HeaderConfirmDeletion": "Confirmar Eliminaci\u00f3n", - "MessageConfirmPathSubstitutionDeletion": "\u00bfEst\u00e1 seguro de querer eliminar esta ruta alternativa?", - "LabelScheduledTaskLastRan": "Ejecutado hace {0}, tomando {1}.", - "LiveTvUpdateAvailable": "(Actualizaci\u00f3n disponible)", - "TitleLiveTV": "TV en Vivo", - "HeaderDeleteTaskTrigger": "Borrar Disparador de Tarea", - "LabelVersionUpToDate": "\u00a1Actualizado!", - "ButtonTakeTheTour": "Haga el recorrido", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Palabras clave de la Trama", - "HeaderTags": "Etiquetas", - "TabCast": "Reparto", - "WebClientTourMySync": "Sincronice sus medios personales a sus dispositivos para reproducirlos fuera de l\u00ednea.", - "TabScenes": "Escenas", - "DashboardTourSync": "Sincronice sus medios personales a sus dispositivos para reproducirlos fuera de l\u00ednea.", - "MessageRefreshQueued": "Actualizaci\u00f3n programada", - "DashboardTourHelp": "La ayuda dentro de la app proporciona botones simples para abrir p\u00e1ginas de la wiki relacionadas con el contenido en pantalla.", - "DeviceLastUsedByUserName": "\u00daltimo usado por {0}", - "HeaderDeleteDevice": "Eliminar Dispositivo", - "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": "La transferencias ocurrir\u00e1n autom\u00e1ticamente en segundo plano cuando haya iniciado sesi\u00f3n en Emby.", - "ButtonLibraryAccess": "Acceso a biblioteca", - "ButtonParentalControl": "Control parental", - "TabDevices": "Dispositivos", - "LabelItemLimit": "L\u00edmite de \u00cdtems:", - "HeaderAdvanced": "Avanzado", - "LabelItemLimitHelp": "Opcional. Establece un l\u00edmite en el n\u00famero de \u00edtems que ser\u00e1n sincronizados.", - "MessageBookPluginRequired": "Requiere instalaci\u00f3n del complemento Bookshelf", + "HeaderEmbyAccountRemoved": "Cuenta Emby Eliminada", + "MessageEmbyAccontRemoved": "La cuenta Emby ha sido eliminada de este usuario.", + "TooltipLinkedToEmbyConnect": "Enlazado a Emby Connect", + "HeaderUnrated": "Sin clasificar", + "ValueDiscNumber": "Disco {0}", + "HeaderUnknownDate": "Fecha Desconocida", + "HeaderUnknownYear": "A\u00f1o Desconocido", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Reproducir con un reproductor externo", + "HeaderSelectExternalPlayer": "Seleccionar Reproductor Externo", + "HeaderExternalPlayerPlayback": "Reproducci\u00f3n con Reproductor Externo", + "ButtonImDone": "He Terminado", + "OptionWatched": "Vista", + "OptionUnwatched": "No vista", + "ExternalPlayerPlaystateOptionsHelp": "Especifique como desea reiniciar la reproducci\u00f3n de este video la pr\u00f3xima vez.", + "LabelMarkAs": "Marcar como:", + "OptionInProgress": "En Progreso", + "LabelResumePoint": "Punto de reinicio:", + "ValueOneMovie": "1 pel\u00edcula", + "ValueMovieCount": "{0} pel\u00edculas", + "ValueOneTrailer": "1 tr\u00e1iler", + "ValueTrailerCount": "{0} tr\u00e1ilers", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} series", + "ValueOneEpisode": "1 episodio", + "ValueEpisodeCount": "{0} episodios", + "ValueOneGame": "1 juego", + "ValueGameCount": "{0} juegos", + "ValueOneAlbum": "1 \u00e1lbum", + "ValueAlbumCount": "{0} \u00e1lbumes", + "ValueOneSong": "1 canci\u00f3n", + "ValueSongCount": "{0} canciones", + "ValueOneMusicVideo": "1 video musical", + "ValueMusicVideoCount": "{0} videos musicales", + "HeaderOffline": "Fuera de L\u00ednea", + "HeaderUnaired": "No Emitido", + "HeaderMissing": "Falta", + "ButtonWebsite": "Sitio web", + "TooltipFavorite": "Favorito", + "TooltipLike": "Me gusta", + "TooltipDislike": "No me gusta", + "TooltipPlayed": "Reproducido", + "ValueSeriesYearToPresent": "{0}-Presente", + "ValueAwards": "Premios: {0}", + "ValueBudget": "Presupuesto: {0}", + "ValueRevenue": "Ingresos: {0}", + "ValuePremiered": "Estrenado: {0}", + "ValuePremieres": "Estrenos: {0}", + "ValueStudio": "Estudio: {0}", + "ValueStudios": "Estudios: {0}", + "ValueStatus": "Estado: {0}", + "ValueSpecialEpisodeName": "Especial: {0}", + "LabelLimit": "L\u00edmite:", + "ValueLinks": "Enlaces: {0}", + "HeaderPeople": "Personas", "HeaderCastAndCrew": "Reparto & Personal:", - "MessageGamePluginRequired": "Requiere instalaci\u00f3n del complemento de GameBrowser", "ValueArtist": "Artista: {0}", "ValueArtists": "Artistas: {0}", + "HeaderTags": "Etiquetas", "MediaInfoCameraMake": "Marca de la c\u00e1mara", "MediaInfoCameraModel": "Modelo de la c\u00e1mara", "MediaInfoAltitude": "Altitud", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitud", "MediaInfoShutterSpeed": "Velocidad del obturador", "MediaInfoSoftware": "Software", - "TabNotifications": "Notificaciones", "HeaderIfYouLikeCheckTheseOut": "Si te gust\u00f3 {0}, prueba con...", + "HeaderPlotKeywords": "Palabras clave de la Trama", "HeaderMovies": "Pel\u00edculas", "HeaderAlbums": "\u00c1lbumes", "HeaderGames": "Juegos", - "HeaderConnectionFailure": "Falla de Conexi\u00f3n", "HeaderBooks": "Libros", - "MessageUnableToConnectToServer": "No es posible conectarse al servidor seleccionado en este momento. Por favor aseg\u00farese de que se encuentra en ejecuci\u00f3n e int\u00e9ntelo nuevamente.", - "MessageUnsetContentHelp": "El contenido ser\u00e1 desplegado como carpetas simples. Para mejores resultados utilice el administrador de metadatos para establecer los tipos de contenido para las sub-carpetas.", + "HeaderEpisodes": "Episodios", "HeaderSeasons": "Temporadas", "HeaderTracks": "Pistas", "HeaderItems": "\u00cdtems", @@ -653,153 +632,178 @@ "ButtonFullReview": "Rese\u00f1a completa", "ValueAsRole": "como {0}", "ValueGuestStar": "Estrella invitada", - "HeaderInviteGuest": "Agregar un Invitado", "MediaInfoSize": "Tama\u00f1o", "MediaInfoPath": "Trayectoria", - "MessageConnectAccountRequiredToInviteGuest": "Para poder enviar invitaciones necesita primero enlazar su cuenta Emby con este servidor.", "MediaInfoFormat": "Formato", "MediaInfoContainer": "Contenedor", "MediaInfoDefault": "Por defecto", "MediaInfoForced": "Forzado", - "HeaderSettings": "Configuraci\u00f3n", "MediaInfoExternal": "Externo", - "OptionAutomaticallySyncNewContent": "Sincronizar autom\u00e1ticamente nuevos contenidos", "MediaInfoTimestamp": "Fecha y hora", - "OptionAutomaticallySyncNewContentHelp": "Los contenidos nuevos agregados ser\u00e1n sincronizados autom\u00e1ticamente con el dispositivo.", "MediaInfoPixelFormat": "Formato de pixel", - "OptionSyncUnwatchedVideosOnly": "Sincronizar \u00fanicamente videos no vistos", "MediaInfoBitDepth": "Profundidad de bit", - "OptionSyncUnwatchedVideosOnlyHelp": "Solamente los videos a\u00fan no vistos ser\u00e1n sincronizados, se eliminar\u00e1n los videos del dispositivo conforme \u00e9stos sean vistos.", "MediaInfoSampleRate": "Tasa de muestreo", - "ButtonSync": "Sinc", "MediaInfoBitrate": "Tasa de bits", "MediaInfoChannels": "Canales", "MediaInfoLayout": "Esquema", "MediaInfoLanguage": "Lenguaje", - "ButtonUnlockPrice": "Desbloquear {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Perf\u00edl", "MediaInfoLevel": "Nivel", - "HeaderSaySomethingLike": "Decir Algo Como...", "MediaInfoAspectRatio": "Relaci\u00f3n de aspecto", "MediaInfoResolution": "Resoluci\u00f3n", "MediaInfoAnamorphic": "Anam\u00f3rfico", - "ButtonTryAgain": "Intentar de Nuevo", "MediaInfoInterlaced": "Entrelazado", "MediaInfoFramerate": "Velocidad de cuadro", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "Ha Dicho...", "MediaInfoStreamTypeData": "Datos", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subt\u00edtulo", - "MessageWeDidntRecognizeCommand": "Lo sentimos, no reconocimos ese comando.", "MediaInfoStreamTypeEmbeddedImage": "Im\u00e1gen Embebida", "MediaInfoRefFrames": "Tramas de referencia", - "MessageIfYouBlockedVoice": "Si ha negado el acceso a la voz a la aplicaci\u00f3n necesitara reconfigurar antes de intentarlo de nuevo.", - "MessageNoItemsFound": "No se encontraron \u00edtems.", + "TabPlayback": "Reproducci\u00f3n", + "TabNotifications": "Notificaciones", + "TabExpert": "Experto", + "HeaderSelectCustomIntrosPath": "Seleccionar Trayectorias Personalizadas de Intros", + "HeaderRateAndReview": "Clasificar y Rese\u00f1ar", + "HeaderThankYou": "Gracias", + "MessageThankYouForYourReview": "Gracias por su rese\u00f1a.", + "LabelYourRating": "Su calificaci\u00f3n:", + "LabelFullReview": "Rese\u00f1a completa:", + "LabelShortRatingDescription": "Res\u00famen corto de calificaci\u00f3n:", + "OptionIRecommendThisItem": "Yo recomiendo este \u00edtem", + "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, tr\u00e1ilers y m\u00e1s desde cualquier dispositivo con un navegador web.", + "WebClientTourMouseOver": "Mantenga el rat\u00f3n sobre cualquier p\u00f3ster para un acceso r\u00e1pido a informaci\u00f3n importante.", + "WebClientTourTapHold": "Mantenga presionado o haga clic derecho en cualquier p\u00f3ster 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 que que su biblioteca es mostrada en todas tus aplicaciones Emby.", + "WebClientTourUserPreferences2": "Configure sus preferencias de audio y subtitulos una vez, por cada aplicaci\u00f3n Emby.", + "WebClientTourUserPreferences3": "Dise\u00f1e a su gusto la p\u00e1gina principal del cliente web", + "WebClientTourUserPreferences4": "Configure im\u00e1genes de fondo, canciones de tema y reproductores externos", + "WebClientTourMobile1": "El cliente web funciona de maravilla en tel\u00e9fonos inteligentes y tabletas...", + "WebClientTourMobile2": "y controla f\u00e1cilmente otros dispositivos y aplicaciones Emby", + "WebClientTourMySync": "Sincronice sus medios personales a sus dispositivos para reproducirlos fuera de l\u00ednea.", + "MessageEnjoyYourStay": "Disfrute su visita", + "DashboardTourDashboard": "El panel de control del servidor le permite monitorear su servidor y sus usuarios. Siempre sabr\u00e1 quien est\u00e1 haciendo qu\u00e9 y donde se encuentran.", + "DashboardTourHelp": "La ayuda dentro de la app proporciona botones simples para abrir p\u00e1ginas de la wiki relacionadas con el contenido en pantalla.", + "DashboardTourUsers": "Cree cuentas f\u00e1cilmente para sus amigos y familia, cada una con sus propios permisos, accesos a la biblioteca, controles parentales y m\u00e1s.", + "DashboardTourCinemaMode": "El modo cine trae la experiencia del cine directo a su sala de TV con la capacidad de reproducir tr\u00e1ilers e intros personalizados antes de la presentaci\u00f3n estelar.", + "DashboardTourChapters": "Active la generaci\u00f3n de im\u00e1genes de cap\u00edtulos de sus videos para una presentaci\u00f3n m\u00e1s agradable al desplegar.", + "DashboardTourSubtitles": "Descargue autom\u00e1ticamente subt\u00edtulos para sus videos en cualquier idioma.", + "DashboardTourPlugins": "Instale complementos como canales de video de Internet, TV en vivo, buscadores de metadatos y m\u00e1s.", + "DashboardTourNotifications": "Env\u00ede notificaciones automatizadas de eventos del servidor a sus dispositivos m\u00f3viles, correo electr\u00f3nico y m\u00e1s.", + "DashboardTourScheduledTasks": "Administre f\u00e1cilmente operaciones de larga duraci\u00f3n con tareas programadas. Decida cuando se ejecutar\u00e1n y con que periodicidad.", + "DashboardTourMobile": "El panel de control del Servidor Emby funciona genial en smartphones y tablets. Administre su servidor desde la palma de su mano en cualquier momento y en cualquier lugar.", + "DashboardTourSync": "Sincronice sus medios personales a sus dispositivos para reproducirlos fuera de l\u00ednea.", + "MessageRefreshQueued": "Actualizaci\u00f3n programada", + "TabDevices": "Dispositivos", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "\u00daltimo usado por {0}", + "HeaderDeleteDevice": "Eliminar Dispositivo", + "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": "La transferencias ocurrir\u00e1n autom\u00e1ticamente en segundo plano cuando haya iniciado sesi\u00f3n en Emby.", + "ErrorMessageStartHourGreaterThanEnd": "El horario de fin debe ser mayor al de comienzo.", + "ButtonLibraryAccess": "Acceso a biblioteca", + "ButtonParentalControl": "Control parental", + "HeaderInvitationSent": "Invitaci\u00f3n Enviada", + "MessageInvitationSentToUser": "Se ha enviado un correo electr\u00f3nico a {0}, invit\u00e1ndolo a aceptar tu invitaci\u00f3n para compartir.", + "MessageInvitationSentToNewUser": "Un correo electr\u00f3nico se ha enviado a {0} invit\u00e1ndolos a registrarse en Emby.", + "HeaderConnectionFailure": "Falla de Conexi\u00f3n", + "MessageUnableToConnectToServer": "No es posible conectarse al servidor seleccionado en este momento. Por favor aseg\u00farese de que se encuentra en ejecuci\u00f3n e int\u00e9ntelo nuevamente.", "ButtonSelectServer": "Seleccionar Servidor", - "ButtonManageServer": "Administrar Servidor", "MessagePluginConfigurationRequiresLocalAccess": "Para configurar este complemento por favor inicie sesi\u00f3n en su servidor local directamente.", - "ButtonPreferences": "Preferencias", - "ButtonViewArtist": "Ver artista", - "ButtonViewAlbum": "Ver album", "MessageLoggedOutParentalControl": "El acceso se encuentra restringido en este momento. Por favor int\u00e9ntelo de nuevo mas tarde.", - "EmbyIntroDownloadMessage": "Para descargar e instalar el Servidor Emby visite {0}.", - "LabelProfile": "Perf\u00edl:", + "DefaultErrorMessage": "Ha ocurrido un error al procesar la solicitud. Por favor int\u00e9ntelo de nuevo mas tarde.", + "ButtonAccept": "Aceptar", + "ButtonReject": "Rechazar", + "HeaderForgotPassword": "Contrase\u00f1a Olvidada", + "MessageContactAdminToResetPassword": "Por favor contacte a su administrador para restablecer su contrase\u00f1a.", + "MessageForgotPasswordInNetworkRequired": "Por favor intente de nuevo dentro de su red de hogar para iniciar el proceso de restablecimiento de contrase\u00f1a.", + "MessageForgotPasswordFileCreated": "El siguiente archivo fue creado en tu servidor y contiene instrucciones de como proceder.", + "MessageForgotPasswordFileExpiration": "El pin de restablecimiento expirara en {0}.", + "MessageInvalidForgotPasswordPin": "Se introdujo un pin expirado o invalido. Por favor intente de nuevo.", + "MessagePasswordResetForUsers": "Las contrase\u00f1as han sido eliminadas de los siguientes usuarios:", + "HeaderInviteGuest": "Agregar un Invitado", + "ButtonLinkMyEmbyAccount": "Enlazar mi cuenta ahora", + "MessageConnectAccountRequiredToInviteGuest": "Para poder enviar invitaciones necesita primero enlazar su cuenta Emby con este servidor.", + "ButtonSync": "Sinc", "SyncMedia": "Sincronizar Medios", - "ButtonNewServer": "Nuevo Servidor", - "LabelBitrateMbps": "Tasa de bits (Mbps):", "HeaderCancelSyncJob": "Cancelar Sinc.", "CancelSyncJobConfirmation": "Cancelando el trabajo de sincronizaci\u00f3n eliminara los medios sincronizados del dispositivo durante el pr\u00f3ximo proceso de sincronizaci\u00f3n. \u00bfEsta seguro de que desea continuar?", + "TabSync": "Sinc", "MessagePleaseSelectDeviceToSyncTo": "Por favor seleccione un dispositivo con el que desea sincronizar.", - "ButtonSignInWithConnect": "Inicie con su cuenta de Emby Connect", "MessageSyncJobCreated": "Trabajo de sincronizaci\u00f3n creado.", "LabelSyncTo": "Sincronizar con:", - "LabelLimit": "L\u00edmite:", "LabelSyncJobName": "Nombre del trabajo de sinc:", - "HeaderNewServer": "Nuevo Servidor", - "ValueLinks": "Enlaces: {0}", "LabelQuality": "Calidad:", - "MyDevice": "Mi Dispositivo", - "DefaultErrorMessage": "Ha ocurrido un error al procesar la solicitud. Por favor int\u00e9ntelo de nuevo mas tarde.", - "ButtonRemote": "Remoto", - "ButtonAccept": "Aceptar", - "ButtonReject": "Rechazar", - "DashboardTourDashboard": "El panel de control del servidor le permite monitorear su servidor y sus usuarios. Siempre sabr\u00e1 quien est\u00e1 haciendo qu\u00e9 y donde se encuentran.", - "DashboardTourUsers": "Cree cuentas f\u00e1cilmente para sus amigos y familia, cada una con sus propios permisos, accesos a la biblioteca, controles parentales y m\u00e1s.", - "DashboardTourCinemaMode": "El modo cine trae la experiencia del cine directo a su sala de TV con la capacidad de reproducir tr\u00e1ilers e intros personalizados antes de la presentaci\u00f3n estelar.", - "DashboardTourChapters": "Active la generaci\u00f3n de im\u00e1genes de cap\u00edtulos de sus videos para una presentaci\u00f3n m\u00e1s agradable al desplegar.", - "DashboardTourSubtitles": "Descargue autom\u00e1ticamente subt\u00edtulos para sus videos en cualquier idioma.", - "DashboardTourPlugins": "Instale complementos como canales de video de Internet, TV en vivo, buscadores de metadatos y m\u00e1s.", - "DashboardTourNotifications": "Env\u00ede notificaciones automatizadas de eventos del servidor a sus dispositivos m\u00f3viles, correo electr\u00f3nico y m\u00e1s.", - "DashboardTourScheduledTasks": "Administre f\u00e1cilmente operaciones de larga duraci\u00f3n con tareas programadas. Decida cuando se ejecutar\u00e1n y con que periodicidad.", - "DashboardTourMobile": "El panel de control del Servidor Emby funciona genial en smartphones y tablets. Administre su servidor desde la palma de su mano en cualquier momento y en cualquier lugar.", - "HeaderEpisodes": "Episodios", - "HeaderSelectCustomIntrosPath": "Seleccionar Trayectorias Personalizadas de Intros", - "HeaderGroupVersions": "Agrupar Versiones", + "HeaderSettings": "Configuraci\u00f3n", + "OptionAutomaticallySyncNewContent": "Sincronizar autom\u00e1ticamente nuevos contenidos", + "OptionAutomaticallySyncNewContentHelp": "Los contenidos nuevos agregados ser\u00e1n sincronizados autom\u00e1ticamente con el dispositivo.", + "OptionSyncUnwatchedVideosOnly": "Sincronizar \u00fanicamente videos no vistos", + "OptionSyncUnwatchedVideosOnlyHelp": "Solamente los videos a\u00fan no vistos ser\u00e1n sincronizados, se eliminar\u00e1n los videos del dispositivo conforme \u00e9stos sean vistos.", + "LabelItemLimit": "L\u00edmite de \u00cdtems:", + "LabelItemLimitHelp": "Opcional. Establece un l\u00edmite en el n\u00famero de \u00edtems que ser\u00e1n sincronizados.", + "MessageBookPluginRequired": "Requiere instalaci\u00f3n del complemento Bookshelf", + "MessageGamePluginRequired": "Requiere instalaci\u00f3n del complemento de GameBrowser", + "MessageUnsetContentHelp": "El contenido ser\u00e1 desplegado como carpetas simples. Para mejores resultados utilice el administrador de metadatos para establecer los tipos de contenido para las sub-carpetas.", "SyncJobItemStatusQueued": "En cola", - "ErrorMessagePasswordNotMatchConfirm": "La Contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben coincidir.", "SyncJobItemStatusConverting": "Convirti\u00e9ndo", "SyncJobItemStatusTransferring": "Transfiri\u00e9ndo", "SyncJobItemStatusSynced": "Sincronizado", - "TabSync": "Sinc", - "ErrorMessageUsernameInUse": "El Nombre de Usuario ya esta en uso. Por favor seleccione un nuevo nombre e intente de nuevo.", "SyncJobItemStatusFailed": "Fall\u00f3", - "TabPlayback": "Reproducci\u00f3n", "SyncJobItemStatusRemovedFromDevice": "Eliminado del dispositivo", "SyncJobItemStatusCancelled": "Cancelado", - "ErrorMessageEmailInUse": "La direcci\u00f3n de correo electr\u00f3nico ya esta en uso. Por favor ingrese un correo electr\u00f3nico nuevo e intente de nuevo, o si olvido la contrase\u00f1a use la opci\u00f3n \"Olvide mi contrase\u00f1a\".", + "LabelProfile": "Perf\u00edl:", + "LabelBitrateMbps": "Tasa de bits (Mbps):", + "EmbyIntroDownloadMessage": "Para descargar e instalar el Servidor Emby visite {0}.", + "ButtonNewServer": "Nuevo Servidor", + "ButtonSignInWithConnect": "Inicie con su cuenta de Emby Connect", + "HeaderNewServer": "Nuevo Servidor", + "MyDevice": "Mi Dispositivo", + "ButtonRemote": "Remoto", + "TabInfo": "Info", + "TabCast": "Reparto", + "TabScenes": "Escenas", "HeaderUnlockApp": "Desbloquear App", - "MessageThankYouForConnectSignUp": "Gracias por registrarse a Emby Connect. Un correo electr\u00f3nico sera enviado a su direcci\u00f3n con instrucciones de como confirmar su nueva cuenta. Por favor confirme la cuente y regrese aqu\u00ed para iniciar sesi\u00f3n.", "MessageUnlockAppWithPurchase": "Desbloquear todas las caracter\u00edsticas de la app con una peque\u00f1a compra \u00fanica.", "MessageUnlockAppWithPurchaseOrSupporter": "Desbloquear todas las caracter\u00edsticas de la app con un peque\u00f1a compra \u00fanica, o iniciando sesi\u00f3n con una cuenta activa de Miembro Aficionado Emby.", "MessageUnlockAppWithSupporter": "Desbloquear todas las caracter\u00edsticas de la app iniciando sesi\u00f3n con una cuenta activa de Miembro Aficionado Emby.", "MessageToValidateSupporter": "Si tiene una cuenta activa de Miembro Aficionado Emby, solo inicie sesi\u00f3n en la app usando la conexi\u00f3n Wifi dentro de su red de hogar.", "MessagePaymentServicesUnavailable": "Los servicios de pago no se encuentran disponibles actualmente. Por favor intente de nuevo mas tarde.", "ButtonUnlockWithSupporter": "Iniciar sesi\u00f3n con una Membres\u00eda de Aficionado Emby", - "HeaderForgotPassword": "Contrase\u00f1a Olvidada", - "MessageContactAdminToResetPassword": "Por favor contacte a su administrador para restablecer su contrase\u00f1a.", - "MessageForgotPasswordInNetworkRequired": "Por favor intente de nuevo dentro de su red de hogar para iniciar el proceso de restablecimiento de contrase\u00f1a.", "MessagePleaseSignInLocalNetwork": "Antes de continuar, por favor aseg\u00farese de que esta conectado a su red local usando una conexi\u00f3n Wifi o LAN.", - "MessageForgotPasswordFileCreated": "El siguiente archivo fue creado en tu servidor y contiene instrucciones de como proceder.", - "TabExpert": "Experto", - "HeaderInvitationSent": "Invitaci\u00f3n Enviada", - "MessageForgotPasswordFileExpiration": "El pin de restablecimiento expirara en {0}.", - "MessageInvitationSentToUser": "Se ha enviado un correo electr\u00f3nico a {0}, invit\u00e1ndolo a aceptar tu invitaci\u00f3n para compartir.", - "MessageInvalidForgotPasswordPin": "Se introdujo un pin expirado o invalido. Por favor intente de nuevo.", "ButtonUnlockWithPurchase": "Desbloquear con una compra", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "Un correo electr\u00f3nico se ha enviado a {0} invit\u00e1ndolos a registrarse en Emby.", - "MessagePasswordResetForUsers": "Las contrase\u00f1as han sido eliminadas de los siguientes usuarios:", + "ButtonUnlockPrice": "Desbloquear {0}", "MessageLiveTvGuideRequiresUnlock": "La Guia de TV en Vivo actualmente esta limitada a {0} canales. De clic en el bot\u00f3n Desbloquear para saber como desbloquear la experiencia completa.", - "WebClientTourContent": "Vea sus medios recientemente a\u00f1adidos, siguientes ep\u00ecsodios y m\u00e1s. Los c\u00edrculos verdes indican cuantos medios sin reproducir tiene.", - "HeaderPeople": "Personas", "OptionEnableFullscreen": "Habilitar Pantalla Completa", - "WebClientTourMovies": "Reproduzca pel\u00edculas, tr\u00e1ilers y m\u00e1s desde cualquier dispositivo con un navegador web.", - "WebClientTourMouseOver": "Mantenga el rat\u00f3n sobre cualquier p\u00f3ster para un acceso r\u00e1pido a informaci\u00f3n importante.", - "HeaderRateAndReview": "Clasificar y Rese\u00f1ar", - "ErrorMessageStartHourGreaterThanEnd": "El horario de fin debe ser mayor al de comienzo.", - "WebClientTourTapHold": "Mantenga presionado o haga clic derecho en cualquier p\u00f3ster para mostrar un men\u00fa contextual", - "HeaderThankYou": "Gracias", - "TabInfo": "Info", "ButtonServer": "Servidor", - "WebClientTourMetadataManager": "Haga clic en editar para abrir el administrador de metadatos", - "MessageThankYouForYourReview": "Gracias por su rese\u00f1a.", - "WebClientTourPlaylists": "Cree f\u00e1cilmente listas de reproducci\u00f3n y mezclas instant\u00e1neas, y reprod\u00fazcalas en cualquier dispositivo", - "LabelYourRating": "Su calificaci\u00f3n:", - "WebClientTourCollections": "Cree colecciones de pel\u00edculas para agruparlas en sets de pel\u00edculas", - "LabelFullReview": "Rese\u00f1a completa:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "Las preferencias de usuario le permiten personalizar la manera que que su biblioteca es mostrada en todas tus aplicaciones Emby.", - "LabelShortRatingDescription": "Res\u00famen corto de calificaci\u00f3n:", - "WebClientTourUserPreferences2": "Configure sus preferencias de audio y subtitulos una vez, por cada aplicaci\u00f3n Emby.", - "OptionIRecommendThisItem": "Yo recomiendo este \u00edtem", - "ButtonLinkMyEmbyAccount": "Enlazar mi cuenta ahora", - "WebClientTourUserPreferences3": "Dise\u00f1e a su gusto la p\u00e1gina principal del cliente web", "HeaderLibrary": "Biblioteca", - "WebClientTourUserPreferences4": "Configure im\u00e1genes de fondo, canciones de tema y reproductores externos", - "WebClientTourMobile1": "El cliente web funciona de maravilla en tel\u00e9fonos inteligentes y tabletas...", - "WebClientTourMobile2": "y controla f\u00e1cilmente otros dispositivos y aplicaciones Emby", "HeaderMedia": "Medios", - "MessageEnjoyYourStay": "Disfrute su visita" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Avanzado", + "HeaderGroupVersions": "Agrupar Versiones", + "HeaderSaySomethingLike": "Decir Algo Como...", + "ButtonTryAgain": "Intentar de Nuevo", + "HeaderYouSaid": "Ha Dicho...", + "MessageWeDidntRecognizeCommand": "Lo sentimos, no reconocimos ese comando.", + "MessageIfYouBlockedVoice": "Si ha negado el acceso a la voz a la aplicaci\u00f3n necesitara reconfigurar antes de intentarlo de nuevo.", + "MessageNoItemsFound": "No se encontraron \u00edtems.", + "ButtonManageServer": "Administrar Servidor", + "ButtonPreferences": "Preferencias", + "ButtonViewArtist": "Ver artista", + "ButtonViewAlbum": "Ver album", + "ErrorMessagePasswordNotMatchConfirm": "La Contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben coincidir.", + "ErrorMessageUsernameInUse": "El Nombre de Usuario ya esta en uso. Por favor seleccione un nuevo nombre e intente de nuevo.", + "ErrorMessageEmailInUse": "La direcci\u00f3n de correo electr\u00f3nico ya esta en uso. Por favor ingrese un correo electr\u00f3nico nuevo e intente de nuevo, o si olvido la contrase\u00f1a use la opci\u00f3n \"Olvide mi contrase\u00f1a\".", + "MessageThankYouForConnectSignUp": "Gracias por registrarse a Emby Connect. Un correo electr\u00f3nico sera enviado a su direcci\u00f3n con instrucciones de como confirmar su nueva cuenta. Por favor confirme la cuente y regrese aqu\u00ed para iniciar sesi\u00f3n.", + "HeaderShare": "Compartir", + "ButtonShareHelp": "Compartir paginas web que contengan informaci\u00f3n sobre los medios con redes sociales. Los archivos de los medios nunca son compartidos p\u00fablicamente.", + "ButtonShare": "Compartir", + "HeaderConfirm": "Confirmar" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/es-VE.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/es-VE.json index ea15b716f7..f0a9ac9de6 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es-VE.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es-VE.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Fecha de estreno", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 ac525264dd..d6402c7c8b 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Configuraci\u00f3n guardada", + "AddUser": "Agregar usuario", + "Users": "Usuarios", + "Delete": "Borrar", + "Administrator": "Administrador", + "Password": "Contrase\u00f1a", + "DeleteImage": "Borrar Imagen", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Est\u00e1 seguro que desea borrar esta imagen?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "Archivo no encontrado.", + "FileReadError": "Se encontr\u00f3 un error al leer el archivo.", + "DeleteUser": "Borrar Usuario", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "La contrase\u00f1a se ha restablecido.", + "PinCodeResetComplete": "El c\u00f3digo PIN se ha restablecido.", + "PasswordResetConfirmation": "Esta seguro que desea restablecer la contrase\u00f1a?", + "PinCodeResetConfirmation": "\u00bfEst\u00e1 seguro que desea restablecer el c\u00f3digo PIN?", + "HeaderPinCodeReset": "Restablecer C\u00f3digo PIN", + "PasswordSaved": "Contrase\u00f1a guardada.", + "PasswordMatchError": "La contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben de ser iguales.", + "OptionRelease": "Release Oficial", + "OptionBeta": "Beta", + "OptionDev": "Desarrollo (inestable)", + "UninstallPluginHeader": "Desinstalar Plugin", + "UninstallPluginConfirmation": "Esta seguro que desea desinstalar {0}?", + "NoPluginConfigurationMessage": "El plugin no requiere configuraci\u00f3n", + "NoPluginsInstalledMessage": "No tiene plugins instalados.", + "BrowsePluginCatalogMessage": "Navegar el catalogo de plugins para ver los plugins disponibles.", + "MessageKeyEmailedTo": "Clave enviada por email a {0}.", + "MessageKeysLinked": "Claves vinculadas.", + "HeaderConfirmation": "Confirmaci\u00f3n", + "MessageKeyUpdated": "Gracias. Su clave de seguidor ha sido actualizada.", + "MessageKeyRemoved": "Gracias. Su clave de seguidor ha sido eliminada.", + "HeaderSupportTheTeam": "Apoye al equipo de Emby", + "TextEnjoyBonusFeatures": "Disfrute los extras", + "TitleLiveTV": "Tv en vivo", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Donaciones recurrentes se pueden cancelar en cualquier momento desde su cuenta de PayPal.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notificaciones", + "ErrorLaunchingChromecast": "Ha habido un error al lanzar chromecast. Asegurese que su dispositivo est\u00e1 conectado a su red inal\u00e1mbrica.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Usuarios", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Buscar", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artista", + "LabelMovie": "Pel\u00edcula", + "LabelMusicVideo": "Video Musical", + "LabelEpisode": "Episodio", + "LabelSeries": "Series", + "LabelStopping": "Deteniendo", + "LabelCancelled": "(cancelado)", + "LabelFailed": "(fallido)", + "ButtonHelp": "Ayuda", + "ButtonSave": "Grabar", + "ButtonDownload": "Descargar", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "A\u00f1adir a la colecci\u00f3n", + "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n de Star Wars", + "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos", + "LabelSelectCollection": "Seleccionar colecci\u00f3n:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "Una membres\u00eda de soporte provee beneficios adicionales como acceso a Sync (Sincronizar), extensiones premium, contenidos de canales por internet, y mas. {0}Aprender m\u00e1s{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Hacer un recorrido", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Complementos", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Acceso de Equipo", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Abortado por cierre del servidor)", + "LabelScheduledTaskLastRan": "\u00daltima ejecuci\u00f3n {0}, teniendo {1}.", + "HeaderDeleteTaskTrigger": "Eliminar tarea de activaci\u00f3n", "HeaderTaskTriggers": "Tareas de activaci\u00f3n", - "ButtonResetTuner": "Reiniciar sintonizador", - "ButtonRestart": "Reiniciar", "MessageDeleteTaskTrigger": "\u00bfEst\u00e1 seguro que desea eliminar esta tarea de activaci\u00f3n?", - "HeaderResetTuner": "Restablecer el sintonizador", - "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n de Star Wars", "MessageNoPluginsInstalled": "No tiene plugins instalados.", - "MessageConfirmResetTuner": "\u00bfEst\u00e1 seguro que desea reiniciar este sintonizador? Cualquier reproducci\u00f3n o grabaci\u00f3n activa se detendr\u00e1 inmediatamente.", - "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos", - "ButtonUpdateNow": "Actualizar ahora", "LabelVersionInstalled": "{0} instalado", - "ButtonCancelSeries": "Cancelar serie", "LabelNumberReviews": "{0} Revisiones", - "LabelAllChannels": "Todos los canales", "LabelFree": "Libre", - "HeaderSeriesRecordings": "Grabaciones de series", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Seleccionar Audio", - "LabelAnytime": "A cualquier hora", "HeaderSelectSubtitles": "Seleccionar Subt\u00edtulos", - "StatusRecording": "Grabando", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Por defecto)", - "StatusWatching": "Viendo", "LabelForcedStream": "(Forzado)", - "StatusRecordingProgram": "Grabando {0}", "LabelDefaultForcedStream": "(Por defecto\/Forzado)", - "StatusWatchingProgram": "Viendo {0}", "LabelUnknownLanguage": "Idioma desconocido", - "ButtonQueue": "En cola", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Silencio", "ButtonUnmute": "Activar audio", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Divisi\u00f3n de medios", + "ButtonStop": "Detener", + "ButtonNextTrack": "Siguiente pista", + "ButtonPause": "Pausa", + "ButtonPlay": "Reproducir", + "ButtonEdit": "Editar", + "ButtonQueue": "En cola", "ButtonPlaylist": "Lista de reproducci\u00f3n", - "MessageConfirmSplitMedia": "\u00bfEst\u00e1 seguro que desea dividir los medios en partes separadas?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Pista anterior", "LabelEnabled": "Activado", - "HeaderSupporterBenefit": "Una membres\u00eda de soporte provee beneficios adicionales como acceso a Sync (Sincronizar), extensiones premium, contenidos de canales por internet, y mas. {0}Aprender m\u00e1s{1}.", "LabelDisabled": "Desactivado", - "MessageTheFollowingItemsWillBeGrouped": "Los siguientes t\u00edtulos se agrupar\u00e1n en un elemento.", "ButtonMoreInformation": "M\u00e1s informaci\u00f3n", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No hay notificaciones sin leer.", "ButtonViewNotifications": "Ver notificaciones", - "HeaderFavoriteAlbums": "\u00c1lbumes favoritos", "ButtonMarkTheseRead": "Marcar como le\u00eddo", - "HeaderLatestChannelMedia": "\u00dcltimos elementos de canal", "ButtonClose": "Cerrar", - "ButtonOrganizeFile": "Organizar archivos", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodios", "LabelAllPlaysSentToPlayer": "Todas las reproducciones se enviar\u00e1n al reproductor seleccionado.", - "ButtonDeleteFile": "Borrar archivos", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organizar archivos", - "HeaderAudioTracks": "Pistas de audio", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "Todas la grabaciones", "RecommendationBecauseYouLike": "Como le gusta {0}", - "HeaderDeleteFile": "Borrar archivos", - "ButtonAdd": "A\u00f1adir", - "HeaderSubtitles": "Subt\u00edtulos", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Ya que vi\u00f3 {0}", - "StatusSkipped": "Saltado", - "HeaderVideoQuality": "Calidad de video", "RecommendationDirectedBy": "Dirigida por {0}", - "StatusFailed": "Err\u00f3neo", - "MessageErrorPlayingVideo": "Ha habido un error reproduciendo el video.", "RecommendationStarring": "Protagonizada por {0}", - "StatusSuccess": "\u00c9xito", - "MessageEnsureOpenTuner": "Aseg\u00farese que hay un sintonizador disponible.", "HeaderConfirmRecordingCancellation": "Confirmar la cancelaci\u00f3n de la grabaci\u00f3n", - "MessageFileWillBeDeleted": "El siguiente archivo se eliminar\u00e1:", - "ButtonDashboard": "Panel de control", "MessageConfirmRecordingCancellation": "\u00bfEst\u00e1 seguro que desea cancelar esta grabaci\u00f3n?", - "MessageSureYouWishToProceed": "\u00bfEst\u00e1 seguro que desea proceder?", - "ButtonHelp": "Ayuda", - "ButtonReports": "Informes", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Grabaci\u00f3n cancelada.", - "MessageDuplicatesWillBeDeleted": "Adem\u00e1s se eliminar\u00e1n los siguientes duplicados:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Apagado", + "HeaderConfirmSeriesCancellation": "Confirmar cancelaci\u00f3n de serie", + "MessageConfirmSeriesCancellation": "\u00bfEst\u00e1 seguro que desea cancelar esta serie?", + "MessageSeriesCancelled": "Serie cancelada", "HeaderConfirmRecordingDeletion": "Confirmar borrado de la grabaci\u00f3n", - "MessageFollowingFileWillBeMovedFrom": "El siguiente archivo se mover\u00e1 desde:", - "HeaderTime": "Duraci\u00f3n", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "Encendido", "MessageConfirmRecordingDeletion": "\u00bfEst\u00e1 seguro que desea borrar esta grabaci\u00f3n?", - "MessageDestinationTo": "hasta:", - "HeaderAlbum": "\u00c1lbum", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Release Oficial", "MessageRecordingDeleted": "Grabaci\u00f3n eliminada.", - "HeaderSelectWatchFolder": "Seleccionar carpeta para el reloj", - "HeaderAlbumArtist": "Artista del album", - "HeaderMyViews": "Mis vistas", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancelar Grabaci\u00f3n", - "HeaderSelectWatchFolderHelp": "Navegue o introduzca la ruta para la carpeta para el reloj. La carpeta debe tener permisos de escritura.", - "HeaderArtist": "Artista", - "OptionDev": "Desarrollo (inestable)", "MessageRecordingSaved": "Grabaci\u00f3n guardada.", - "OrganizePatternResult": "Resultado: {0}", - "HeaderLatestTvRecordings": "\u00daltimas grabaciones", - "UninstallPluginHeader": "Desinstalar Plugin", - "ButtonMute": "Silencio", - "HeaderRestart": "Reiniciar", - "UninstallPluginConfirmation": "Esta seguro que desea desinstalar {0}?", - "HeaderShutdown": "Apagar", - "NoPluginConfigurationMessage": "El plugin no requiere configuraci\u00f3n", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "No tiene plugins instalados.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revocar Clave Api", - "BrowsePluginCatalogMessage": "Navegar el catalogo de plugins para ver los plugins disponibles.", - "NewVersionOfSomethingAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de {0}!", - "VersionXIsAvailableForDownload": "La versi\u00f3n {0} est\u00e1 disponible para su descarga.", - "TextEnjoyBonusFeatures": "Disfrute los extras", - "ButtonHome": "Inicio", + "OptionSunday": "Domingo", + "OptionMonday": "Lunes", + "OptionTuesday": "Martes", + "OptionWednesday": "Mi\u00e9rcoles", + "OptionThursday": "Jueves", + "OptionFriday": "Viernes", + "OptionSaturday": "S\u00e1bado", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Opciones", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Carpetas de medios", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Escenas", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Iniciar cortos", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notificaciones", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "HeaderConfirmDeletion": "Confirmar borrado", + "MessageConfirmPathSubstitutionDeletion": "\u00bfEst\u00e1 seguro que desea borrar esta ruta de sustituci\u00f3n?", + "LiveTvUpdateAvailable": "(Actualizaci\u00f3n disponible)", + "LabelVersionUpToDate": "\u00a1Actualizado!", + "ButtonResetTuner": "Reiniciar sintonizador", + "HeaderResetTuner": "Restablecer el sintonizador", + "MessageConfirmResetTuner": "\u00bfEst\u00e1 seguro que desea reiniciar este sintonizador? Cualquier reproducci\u00f3n o grabaci\u00f3n activa se detendr\u00e1 inmediatamente.", + "ButtonCancelSeries": "Cancelar serie", + "HeaderSeriesRecordings": "Grabaciones de series", + "LabelAnytime": "A cualquier hora", + "StatusRecording": "Grabando", + "StatusWatching": "Viendo", + "StatusRecordingProgram": "Grabando {0}", + "StatusWatchingProgram": "Viendo {0}", + "HeaderSplitMedia": "Divisi\u00f3n de medios", + "MessageConfirmSplitMedia": "\u00bfEst\u00e1 seguro que desea dividir los medios en partes separadas?", + "HeaderError": "Error", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "MessagePleaseSelectOneItem": "Seleccione al menos un elemento.", + "MessagePleaseSelectTwoItems": "Seleccione al menos dos elementos.", + "MessageTheFollowingItemsWillBeGrouped": "Los siguientes t\u00edtulos se agrupar\u00e1n en un elemento.", + "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Continuar", + "HeaderMyViews": "Mis vistas", + "HeaderLibraryFolders": "Media Folders", + "HeaderLatestMedia": "\u00daltimos medios", + "ButtonMoreItems": "More...", + "ButtonMore": "More", + "HeaderFavoriteMovies": "Pel\u00edculas favoritas", + "HeaderFavoriteShows": "Programas favoritos", + "HeaderFavoriteEpisodes": "Episodios favoritos", + "HeaderFavoriteGames": "Juegos favoritos", + "HeaderRatingsDownloads": "\nClasificaci\u00f3n \/ Descargas", + "HeaderConfirmProfileDeletion": "Confirmar borrado del perfil", + "MessageConfirmProfileDeletion": "\u00bfEst\u00e1 seguro que desea eliminar este perfil?", + "HeaderSelectServerCachePath": "Seleccione la ruta para el cach\u00e9 del servidor", + "HeaderSelectTranscodingPath": "Seleccione la ruta temporal del transcodificador", + "HeaderSelectImagesByNamePath": "Seleccione la ruta para im\u00e1genes", + "HeaderSelectMetadataPath": "Seleccione la ruta para Metadatos", + "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", + "HeaderSelectTranscodingPathHelp": "Busque o escriba la ruta de acceso que se utilizar\u00e1 para la transcodificaci\u00f3n de archivos temporales. La carpeta debe tener permiso de escritura.", + "HeaderSelectImagesByNamePathHelp": "Busque o escriba la ruta de sus elementos por nombre de carpeta. La carpeta debe tener permisos de escritura.", + "HeaderSelectMetadataPathHelp": "Busque o escriba la ruta donde desea almacenar los metadatos. La carpeta debe tener permiso de escritura.", + "HeaderSelectChannelDownloadPath": "Seleccione la ruta de descargas de canal", + "HeaderSelectChannelDownloadPathHelp": "Navege o escriba la ruta para guardar el los archivos de cach\u00e9 de canales. La carpeta debe tener permisos de escritura.", + "OptionNewCollection": "Nuevo...", + "ButtonAdd": "A\u00f1adir", + "ButtonRemove": "Quitar", "LabelChapterDownloaders": "Downloaders de cap\u00edtulos:", "LabelChapterDownloadersHelp": "Habilitar y clasificar sus descargadores de cap\u00edtulos preferidos en orden de prioridad. Descargadores de menor prioridad s\u00f3lo se utilizar\u00e1n para completar la informaci\u00f3n que falta.", - "HeaderUsers": "Usuarios", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Continuar", - "HeaderVideoError": "Video Error", + "HeaderFavoriteAlbums": "\u00c1lbumes favoritos", + "HeaderLatestChannelMedia": "\u00dcltimos elementos de canal", + "ButtonOrganizeFile": "Organizar archivos", + "ButtonDeleteFile": "Borrar archivos", + "HeaderOrganizeFile": "Organizar archivos", + "HeaderDeleteFile": "Borrar archivos", + "StatusSkipped": "Saltado", + "StatusFailed": "Err\u00f3neo", + "StatusSuccess": "\u00c9xito", + "MessageFileWillBeDeleted": "El siguiente archivo se eliminar\u00e1:", + "MessageSureYouWishToProceed": "\u00bfEst\u00e1 seguro que desea proceder?", + "MessageDuplicatesWillBeDeleted": "Adem\u00e1s se eliminar\u00e1n los siguientes duplicados:", + "MessageFollowingFileWillBeMovedFrom": "El siguiente archivo se mover\u00e1 desde:", + "MessageDestinationTo": "hasta:", + "HeaderSelectWatchFolder": "Seleccionar carpeta para el reloj", + "HeaderSelectWatchFolderHelp": "Navegue o introduzca la ruta para la carpeta para el reloj. La carpeta debe tener permisos de escritura.", + "OrganizePatternResult": "Resultado: {0}", + "HeaderRestart": "Reiniciar", + "HeaderShutdown": "Apagar", + "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Actualizar ahora", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "NewVersionOfSomethingAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de {0}!", + "VersionXIsAvailableForDownload": "La versi\u00f3n {0} est\u00e1 disponible para su descarga.", + "LabelVersionNumber": "Versi\u00f3n {0}", + "LabelPlayMethodTranscoding": "Transcodificaci\u00f3n", + "LabelPlayMethodDirectStream": "Streaming directo", + "LabelPlayMethodDirectPlay": "Reproducci\u00f3n directa", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Acceso remoto: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Lo \u00faltimo de {0}", + "LabelUnknownLanaguage": "Idioma desconocido", + "HeaderCurrentSubtitles": "Subt\u00edtulos actuales", + "MessageDownloadQueued": "La descarga se ha a\u00f1adido a la cola", + "MessageAreYouSureDeleteSubtitles": "\u00bfEst\u00e1 seguro que desea eliminar este archivo de subt\u00edtulos?", "ButtonRemoteControl": "Control remoto", - "TabSongs": "Canciones", - "TabAlbums": "\u00c1lbumes", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "\u00daltimas grabaciones", + "ButtonOk": "OK", + "ButtonCancel": "Cancelar", + "ButtonRefresh": "Refrescar", + "LabelCurrentPath": "Ruta actual:", + "HeaderSelectMediaPath": "Seleccionar la ruta para Medios", + "HeaderSelectPath": "Select Path", + "ButtonNetwork": "Red", + "MessageDirectoryPickerInstruction": "Rutas de red pueden ser introducidas manualmente en el caso de que el bot\u00f3n de la red no pueda localizar sus dispositivos. Por ejemplo, {0} o {1}.", + "HeaderMenu": "Men\u00fa", + "ButtonOpen": "Abrir", + "ButtonOpenInNewTab": "Abrir en nueva pesta\u00f1a", + "ButtonShuffle": "Mezclar", + "ButtonInstantMix": "Mix instant\u00e1neo", + "ButtonResume": "Continuar", + "HeaderScenes": "Escenas", + "HeaderAudioTracks": "Pistas de audio", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Subt\u00edtulos", + "HeaderVideoQuality": "Calidad de video", + "MessageErrorPlayingVideo": "Ha habido un error reproduciendo el video.", + "MessageEnsureOpenTuner": "Aseg\u00farese que hay un sintonizador disponible.", + "ButtonHome": "Inicio", + "ButtonDashboard": "Panel de control", + "ButtonReports": "Informes", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Duraci\u00f3n", + "HeaderName": "Nombre", + "HeaderAlbum": "\u00c1lbum", + "HeaderAlbumArtist": "Artista del album", + "HeaderArtist": "Artista", + "LabelAddedOnDate": "A\u00f1adido {0}", + "ButtonStart": "Inicio", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Canales", + "HeaderMediaFolders": "Carpetas de medios", + "HeaderBlockItemsWithNoRating": "Block content with no rating information:", + "OptionBlockOthers": "Otros", + "OptionBlockTvShows": "Tv Shows", + "OptionBlockTrailers": "Trailers", + "OptionBlockMusic": "M\u00fasica", + "OptionBlockMovies": "Pel\u00edculas", + "OptionBlockBooks": "Libros", + "OptionBlockGames": "Juegos", + "OptionBlockLiveTvPrograms": "Programas de TV en vivo", + "OptionBlockLiveTvChannels": "Canales de Tv en vivo", + "OptionBlockChannelContent": "Contenido de canales de Internet", + "ButtonRevoke": "Revocar", + "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revocar Clave Api", "ValueContainer": "Contenedor: {0}", "ValueAudioCodec": "Codec de audio: {0}", "ValueVideoCodec": "Codec de video: {0}", - "TabMusicVideos": "Videos Musicales", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Condiciones: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "Todo", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Borrar imagen", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "Archivo no encontrado.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "Ha ocurrido un error leyendo este archivo.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "P\u00e1gina siguiente", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "P\u00e1gina anterior", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Tiempo", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Mover izquierda", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Fecha de estreno", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Mover derecha", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Navegar im\u00e1genes online", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Borrar elemento", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Introduzca un nombre o un identificador externo.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "El valor introducido no es correcto. Intentelo de nuevo.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Elemento grabado.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Finalizado", + "OptionContinuing": "Continuando", + "OptionOff": "Apagado", + "OptionOn": "Encendido", + "ButtonSettings": "Opciones", + "ButtonUninstall": "Uninstall", "HeaderFields": "Campos", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Deslice un campo en 'off' para bloquearlo y evitar que la informaci\u00f3n sea cambiada.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Tv en vivo", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Donaciones recurrentes se pueden cancelar en cualquier momento desde su cuenta de PayPal.", - "ButtonRevoke": "Revocar", "MissingLocalTrailer": "Falta trailer local.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Falta imagen principal.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Pel\u00edculas favoritas", "MissingBackdropImage": "Falta imagen de fondo.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Programas favoritos", "MissingLogoImage": "Falta logo.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Episodios favoritos", "MissingEpisode": "Falta episodio.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Juegos favoritos", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Capturas del pantalla", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "\nClasificaci\u00f3n \/ Descargas", "OptionBackdrops": "Im\u00e1genes de fondo", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirmar borrado del perfil", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "\u00bfEst\u00e1 seguro que desea eliminar este perfil?", "OptionImages": "Im\u00e1genes", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Seleccione la ruta para el cach\u00e9 del servidor", "OptionKeywords": "Palabras clave", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Seleccione la ruta temporal del transcodificador", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Etiquetas", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Seleccione la ruta para im\u00e1genes", "OptionStudios": "Estudios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Seleccione la ruta para Metadatos", "OptionName": "Nombre", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Sinopsis", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Busque o escriba la ruta de acceso que se utilizar\u00e1 para la transcodificaci\u00f3n de archivos temporales. La carpeta debe tener permiso de escritura.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "G\u00e9neros", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Busque o escriba la ruta de sus elementos por nombre de carpeta. La carpeta debe tener permisos de escritura.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Clasificaci\u00f3n parental", "OptionPeople": "Gente", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Busque o escriba la ruta donde desea almacenar los metadatos. La carpeta debe tener permiso de escritura.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Tiempo", "OptionProductionLocations": "Localizaciones de producci\u00f3n", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Lugar de nacimiento", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "Todos los canales", "LabelLiveProgram": "EN VIVO", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NUEVO", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "ESTRENO", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Reiniciar", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Complementos", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "OK", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancelar", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Servidor", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadatos", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Acceso de Equipo", + "TabAdvanced": "Avanzado", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Lo \u00faltimo de {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Pantalla Completa", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Escenas", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "Ha habido un error al lanzar chromecast. Asegurese que su dispositivo est\u00e1 conectado a su red inal\u00e1mbrica.", - "ButtonSubtitles": "Subt\u00edtulos", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Seleccione al menos un elemento.", "ButtonAudioTracks": "Pistas de Audio", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Seleccione al menos dos elementos.", - "ButtonPreviousTrack": "Pista anterior", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Seleccione la ruta de descargas de canal", - "ButtonNextTrack": "Siguiente pista", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Navege o escriba la ruta para guardar el los archivos de cach\u00e9 de canales. La carpeta debe tener permisos de escritura.", - "ButtonStop": "Detener", - "OptionNewCollection": "Nuevo...", - "ButtonPause": "Pausa", - "TabMovies": "Pel\u00edculas", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Peliculas", - "LabelCollection": "Collection", - "FolderTypeMusic": "Musica", - "FolderTypeAdultVideos": "Videos para adultos", - "HeaderAddToCollection": "A\u00f1adir a la colecci\u00f3n", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "FolderTypeMusicVideos": "Videos Musicales", - "SettingsSaved": "Configuraci\u00f3n guardada", - "OptionParentalRating": "Clasificaci\u00f3n parental", - "FolderTypeHomeVideos": "Videos caseros", - "AddUser": "Agregar usuario", - "HeaderMenu": "Men\u00fa", - "FolderTypeGames": "Juegos", - "Users": "Usuarios", - "ButtonRefresh": "Refrescar", - "PinCodeResetComplete": "El c\u00f3digo PIN se ha restablecido.", - "ButtonOpen": "Abrir", - "FolderTypeBooks": "Libros", - "Delete": "Borrar", - "LabelCurrentPath": "Ruta actual:", - "TabAdvanced": "Avanzado", - "ButtonOpenInNewTab": "Abrir en nueva pesta\u00f1a", - "FolderTypeTvShows": "TV", - "Administrator": "Administrador", - "HeaderSelectMediaPath": "Seleccionar la ruta para Medios", - "PinCodeResetConfirmation": "\u00bfEst\u00e1 seguro que desea restablecer el c\u00f3digo PIN?", - "ButtonShuffle": "Mezclar", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Contrase\u00f1a", - "ButtonNetwork": "Red", - "OptionContinuing": "Continuando", - "ButtonInstantMix": "Mix instant\u00e1neo", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Rutas de red pueden ser introducidas manualmente en el caso de que el bot\u00f3n de la red no pueda localizar sus dispositivos. Por ejemplo, {0} o {1}.", - "HeaderPinCodeReset": "Restablecer C\u00f3digo PIN", - "OptionEnded": "Finalizado", - "ButtonResume": "Continuar", + "ButtonSubtitles": "Subt\u00edtulos", + "ButtonScenes": "Escenas", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Seleccionar", + "ButtonNew": "Nuevo", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Borrar Imagen", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Seleccionar colecci\u00f3n:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Est\u00e1 seguro que desea borrar esta imagen?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Domingo", + "LabelName": "Nombre:", + "ButtonSubmit": "Enviar", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Lunes", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Archivo no encontrado.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Martes", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Se encontr\u00f3 un error al leer el archivo.", - "HeaderName": "Nombre", - "OptionWednesday": "Mi\u00e9rcoles", + "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", + "HeaderPasswordReset": "Password Reset", + "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": "Pel\u00edculas", "OptionCollections": "Collections", - "DeleteUser": "Borrar Usuario", - "OptionThursday": "Jueves", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Viernes", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "S\u00e1bado", + "OptionEpisodes": "Episodios", "OptionGames": "Games", - "PasswordResetComplete": "La contrase\u00f1a se ha restablecido.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Esta seguro que desea restablecer la contrase\u00f1a?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Contrase\u00f1a guardada.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "La contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben de ser iguales.", - "HeaderResolution": "Resolution", - "LabelFailed": "(fallido)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Seleccionar", - "LabelVersionNumber": "Versi\u00f3n {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcodificaci\u00f3n", "OptionHomeVideos": "Home videos", - "ButtonSave": "Grabar", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Streaming directo", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Temporada n\u00famero:", - "HeaderChannels": "Canales", - "LabelPlayMethodDirectPlay": "Reproducci\u00f3n directa", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Descargar", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "N\u00famero de cap\u00edtulo:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Idioma desconocido", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Subt\u00edtulos actuales", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Servidor", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Acceso remoto: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "La descarga se ha a\u00f1adido a la cola", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Apoye al equipo de Emby", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "\u00bfEst\u00e1 seguro que desea eliminar este archivo de subt\u00edtulos?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "\u00daltimos medios", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Nuevo", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadatos", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Nombre:", - "LabelAddedOnDate": "A\u00f1adido {0}", - "ButtonRemove": "Quitar", - "ButtonStart": "Inicio", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Peliculas", + "FolderTypeMusic": "Musica", + "FolderTypeAdultVideos": "Videos para adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Videos Musicales", + "FolderTypeHomeVideos": "Videos caseros", + "FolderTypeGames": "Juegos", + "FolderTypeBooks": "Libros", + "FolderTypeTvShows": "TV", + "TabMovies": "Pel\u00edculas", + "TabSeries": "Series", + "TabEpisodes": "Episodios", + "TabTrailers": "Trailers", + "TabGames": "Juegos", + "TabAlbums": "\u00c1lbumes", + "TabSongs": "Canciones", + "TabMusicVideos": "Videos Musicales", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Borrar", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Otros", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "Tv Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "M\u00fasica", - "OptionBlockMovies": "Pel\u00edculas", - "HeaderAllRecordings": "Todas la grabaciones", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Libros", - "ButtonPlay": "Reproducir", - "OptionBlockGames": "Juegos", - "MessageKeyEmailedTo": "Clave enviada por email a {0}.", - "TabGames": "Juegos", - "ButtonEdit": "Editar", - "OptionBlockLiveTvPrograms": "Programas de TV en vivo", - "MessageKeysLinked": "Claves vinculadas.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Canales de Tv en vivo", - "HeaderConfirmation": "Confirmaci\u00f3n", - "ButtonDelete": "Borrar", - "OptionBlockChannelContent": "Contenido de canales de Internet", - "MessageKeyUpdated": "Gracias. Su clave de seguidor ha sido actualizada.", - "MessageKeyRemoved": "Gracias. Su clave de seguidor ha sido eliminada.", - "OptionMovies": "Pel\u00edculas", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Buscar", - "OptionEpisodes": "Episodios", - "LabelArtist": "Artista", - "LabelMovie": "Pel\u00edcula", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Video Musical", - "LabelEpisode": "Episodio", - "LabelAbortedByServerShutdown": "(Abortado por cierre del servidor)", - "HeaderConfirmSeriesCancellation": "Confirmar cancelaci\u00f3n de serie", - "LabelStopping": "Deteniendo", - "MessageConfirmSeriesCancellation": "\u00bfEst\u00e1 seguro que desea cancelar esta serie?", - "LabelCancelled": "(cancelado)", - "MessageSeriesCancelled": "Serie cancelada", - "HeaderConfirmDeletion": "Confirmar borrado", - "MessageConfirmPathSubstitutionDeletion": "\u00bfEst\u00e1 seguro que desea borrar esta ruta de sustituci\u00f3n?", - "LabelScheduledTaskLastRan": "\u00daltima ejecuci\u00f3n {0}, teniendo {1}.", - "LiveTvUpdateAvailable": "(Actualizaci\u00f3n disponible)", - "TitleLiveTV": "Tv en vivo", - "HeaderDeleteTaskTrigger": "Eliminar tarea de activaci\u00f3n", - "LabelVersionUpToDate": "\u00a1Actualizado!", - "ButtonTakeTheTour": "Hacer un recorrido", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notificaciones", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodios", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notificaciones", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "Se ingres\u00f3 un c\u00f3digo PIN inv\u00e1lido o expirado. Por favor, int\u00e9ntelo de nuevo.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodios", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "Se ingres\u00f3 un c\u00f3digo PIN inv\u00e1lido o expirado. Por favor, int\u00e9ntelo de nuevo.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json index e722248286..4b858141b4 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json @@ -1,630 +1,611 @@ { + "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", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "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": "Reset Password", + "PasswordResetComplete": "Salasana on palauttettu.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Oletko varma, ett\u00e4 haluat palauttaa salasanan?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Tallenna", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Virallinen Julkaisu", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Kehittely (Ei vakaa)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Poista Lis\u00e4osa", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Oletko varma, ett\u00e4 haluat poistaa {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "T\u00e4ll\u00e4 lis\u00e4osalla ei ole mit\u00e4\u00e4n muokattavaa.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Sinulla ei ole mit\u00e4\u00e4n lis\u00e4osia asennettuna.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Selaa meid\u00e4n lis\u00e4osa listaa katsoaksesi saatavilla olevia lis\u00e4osia.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Lopeta", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Lopeta", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Asetukset tallennettu.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Lis\u00e4\u00e4 K\u00e4ytt\u00e4j\u00e4", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "K\u00e4ytt\u00e4j\u00e4t", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Poista", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Salasana", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Poista Kuva", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Oletko varma ett\u00e4 haluat poistaa t\u00e4m\u00e4n kuvan?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "Tiedoston luku on peruutettu.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Tiedostoa ei l\u00f6ydy.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Virhe tiedoston luvun aikana.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Poista k\u00e4ytt\u00e4j\u00e4", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Oletko varma ett\u00e4 haluat poistaa t\u00e4m\u00e4n k\u00e4ytt\u00e4j\u00e4n?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "Salasana on palauttettu.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Oletko varma, ett\u00e4 haluat palauttaa salasanan?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Salasana tallennettu.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Salasana ja salasanan vahvistuksen pit\u00e4\u00e4 olla samat.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Tallenna", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 fadc281bd1..4a12ae55c4 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Param\u00e8tres sauvegard\u00e9s.", + "AddUser": "Ajouter un utilisateur", + "Users": "Utilisateurs", + "Delete": "Supprimer", + "Administrator": "Administrateur", + "Password": "Mot de passe", + "DeleteImage": "Supprimer l'image", + "MessageThankYouForSupporting": "Merci de supporter Emby.", + "MessagePleaseSupportProject": "Merci de supporter Emby.", + "DeleteImageConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer l'image?", + "FileReadCancelled": "La lecture du fichier a \u00e9t\u00e9 annul\u00e9e.", + "FileNotFound": "Fichier introuvable.", + "FileReadError": "Un erreur est survenue pendant la lecture du fichier.", + "DeleteUser": "Supprimer l'utilisateur", + "DeleteUserConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer cet utilisateur?", + "PasswordResetHeader": "R\u00e9initialiser le mot de passe", + "PasswordResetComplete": "Le mot de passe a \u00e9t\u00e9 r\u00e9initialis\u00e9.", + "PinCodeResetComplete": "Le code Easy Pin a \u00e9t\u00e9 r\u00e9initialis\u00e9.", + "PasswordResetConfirmation": "\u00cates-vous s\u00fbr de vouloir r\u00e9initialiser le mot de passe?", + "PinCodeResetConfirmation": "Etes-vous s\u00fbr de vouloir r\u00e9initialiser le code pin ?", + "HeaderPinCodeReset": "R\u00e9initialiser le code Pin", + "PasswordSaved": "Mot de passe sauvegard\u00e9.", + "PasswordMatchError": "Le mot de passe et sa confirmation doivent correspondre.", + "OptionRelease": "Version officielle", + "OptionBeta": "Beta", + "OptionDev": "Dev (Instable)", + "UninstallPluginHeader": "D\u00e9sinstaller Plug-in", + "UninstallPluginConfirmation": "\u00cates-vous s\u00fbr de vouloir d\u00e9sinstaller {0}?", + "NoPluginConfigurationMessage": "Ce plugin n'a rien \u00e0 configurer.", + "NoPluginsInstalledMessage": "Vous n'avez aucun plugin install\u00e9.", + "BrowsePluginCatalogMessage": "Explorer notre catalogue des plugins pour voir les plugins disponibles.", + "MessageKeyEmailedTo": "Cl\u00e9 envoy\u00e9e par courriel \u00e0 {0}", + "MessageKeysLinked": "Cl\u00e9s associ\u00e9es.", + "HeaderConfirmation": "Confirmation", + "MessageKeyUpdated": "Merci. Votre cl\u00e9 de supporteur a \u00e9t\u00e9 mise \u00e0 jour.", + "MessageKeyRemoved": "Merci. Votre cl\u00e9 de supporteur a \u00e9t\u00e9 supprim\u00e9e.", + "HeaderSupportTheTeam": "Aidez l'\u00e9quipe Emby", + "TextEnjoyBonusFeatures": "Profitez bien des fonctionnalit\u00e9s bonus", + "TitleLiveTV": "TV en direct", + "ButtonCancelSyncJob": "Annuler la t\u00e2che de synchro", + "TitleSync": "Sync.", + "HeaderSelectDate": "S\u00e9lectionnez la date", + "ButtonDonate": "Faire un don", + "LabelRecurringDonationCanBeCancelledHelp": "Des donations r\u00e9currentes peuvent \u00eatre annul\u00e9es \u00e0 tout moment depuis votre compte PayPal.", + "HeaderMyMedia": "Mes medias", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "Une erreur a \u00e9t\u00e9 rencontr\u00e9e lors du lancement de Chromecast. Veuillez vous assurer que votre appareil est bien connect\u00e9 \u00e0 votre r\u00e9seau sans-fil.", + "MessageErrorLoadingSupporterInfo": "Il y a eu une erreur lors du chargement des informations de supporter. Veuillez r\u00e9essayer plus tard.", + "MessageLinkYourSupporterKey": "Liez votre cl\u00e9 de supporteur avec un maximum de {0} membres Emby Connect pour b\u00e9n\u00e9ficier de l'acc\u00e8s gratuit aux applications suivantes :", + "HeaderConfirmRemoveUser": "Supprimer l'utilisateur", + "MessageSwipeDownOnRemoteControl": "Bienvenue dans votre t\u00e9l\u00e9commande. S\u00e9lectionnez l'appareil \u00e0 contr\u00f4ler en cliquant sur l'ic\u00f4ne cast dans le coin en haut \u00e0 droite. Faites glissez votre doigt vers le bas depuis n'importe o\u00f9 sur cet \u00e9cran pour revenir d'o\u00f9 vous veniez.", + "MessageConfirmRemoveConnectSupporter": "Etes-vous s\u00fbr de vouloir supprimer les avantages additionnels de supporteur pour cet utilisateur ?", + "ValueTimeLimitSingleHour": "Limite de temps : 1 heure", + "ValueTimeLimitMultiHour": "Limite de temps : {0} heures", + "HeaderUsers": "Utilisateurs", + "PluginCategoryGeneral": "G\u00e9n\u00e9ral", + "PluginCategoryContentProvider": "Fournisseurs de contenus", + "PluginCategoryScreenSaver": "Ecrans de veille", + "PluginCategoryTheme": "Th\u00e8mes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "R\u00e9seaux sociaux", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "M\u00e9tadonn\u00e9es", + "PluginCategoryLiveTV": "TV en Direct", + "PluginCategoryChannel": "Cha\u00eenes", + "HeaderSearch": "Recherche", + "ValueDateCreated": "Date de cr\u00e9ation : {0}", + "LabelArtist": "Artiste", + "LabelMovie": "Film", + "LabelMusicVideo": "Clip vid\u00e9o", + "LabelEpisode": "\u00c9pisode", + "LabelSeries": "S\u00e9ries", + "LabelStopping": "En cours d'arr\u00eat", + "LabelCancelled": "(annul\u00e9)", + "LabelFailed": "(Echec)", + "ButtonHelp": "Aide", + "ButtonSave": "Sauvegarder", + "ButtonDownload": "T\u00e9l\u00e9chargement", + "SyncJobStatusQueued": "Mis en file d'attente", + "SyncJobStatusConverting": "Conversion en cours", + "SyncJobStatusFailed": "Echec", + "SyncJobStatusCancelled": "Annul\u00e9", + "SyncJobStatusCompleted": "Synchronis\u00e9", + "SyncJobStatusReadyToTransfer": "Pr\u00eat pour le transfert", + "SyncJobStatusTransferring": "Transfert en cours", + "SyncJobStatusCompletedWithError": "Synchronis\u00e9, mais des erreurs sont apparues", + "SyncJobItemStatusReadyToTransfer": "Pr\u00eat pour le transfert", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Ajouter \u00e0 la collection", + "NewCollectionNameExample": "Exemple: Collection Star Wars", + "OptionSearchForInternetMetadata": "Rechercher sur Internet les images et m\u00e9tadonn\u00e9es", + "LabelSelectCollection": "S\u00e9lectionner la collection :", + "HeaderDevices": "Appareils", + "ButtonScheduledTasks": "T\u00e2ches planifi\u00e9es", + "MessageItemsAdded": "Items ajout\u00e9s", + "ButtonAddToCollection": "Ajouter \u00e0 une collection", + "HeaderSelectCertificatePath": "S\u00e9lectionnez le chemin du certificat", + "ConfirmMessageScheduledTaskButton": "Cette op\u00e9ration s'ex\u00e9cute normalement automatiquement en tant que t\u00e2che planifi\u00e9e. Elle peut aussi \u00eatre ex\u00e9cut\u00e9e manuellement ici. Pour configurer la t\u00e2che planifi\u00e9e, voir:", + "HeaderSupporterBenefit": "Un partenariat de membre supporteur apporte des avantages suppl\u00e9mentaires, comme l'acc\u00e8s \u00e0 la synchronisation, aux plugins premiums, aux contenus des cha\u00eenes Internet, et plus encore. {0}En savoir plus{1}.", + "LabelSyncNoTargetsHelp": "Il semble que vous n'ayez actuellement aucune application qui supporte la synchronisation.", + "HeaderWelcomeToProjectServerDashboard": "Bienvenue dans le tableau de bord du serveur Emby", + "HeaderWelcomeToProjectWebClient": "Bienvenue dans Emby", + "ButtonTakeTheTour": "Visite guid\u00e9e", + "HeaderWelcomeBack": "Bienvenue !", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Suivez le guide pour d\u00e9couvrir les nouveaut\u00e9s", + "MessageNoSyncJobsFound": "Aucune t\u00e2che de synchronisation trouv\u00e9e. Vous pouvez cr\u00e9er des t\u00e2ches de synchronisation gr\u00e2ce aux boutons 'Synchroniser' partout dans l'interface web.", + "ButtonPlayTrailer": "Lire la bande-annonce", + "HeaderLibraryAccess": "Acc\u00e8s \u00e0 la librairie", + "HeaderChannelAccess": "Acc\u00e8s Cha\u00eene", + "HeaderDeviceAccess": "Acc\u00e8s \u00e0 l'appareil", + "HeaderSelectDevices": "S\u00e9lectionnez un appareil", + "ButtonCancelItem": "Annuler l'\u00e9l\u00e9ment", + "ButtonQueueForRetry": "File d'attente pour une nouvelle tentative", + "ButtonReenable": "R\u00e9activer", + "ButtonLearnMore": "En savoir plus", + "SyncJobItemStatusSyncedMarkForRemoval": "Marquer pour suppression", + "LabelAbortedByServerShutdown": "(Annul\u00e9 par fermeture du serveur)", + "LabelScheduledTaskLastRan": "Derni\u00e8re ex\u00e9cution {0}, dur\u00e9e {1}.", + "HeaderDeleteTaskTrigger": "Supprimer le d\u00e9clencheur de t\u00e2che", "HeaderTaskTriggers": "D\u00e9clencheurs de t\u00e2ches", - "ButtonResetTuner": "R\u00e9initialiser le tuner", - "ButtonRestart": "Red\u00e9marrer", "MessageDeleteTaskTrigger": "\u00cates-vous s\u00fbr de vouloir supprimer ce d\u00e9clencheur de t\u00e2che?", - "HeaderResetTuner": "R\u00e9initialiser le tuner", - "NewCollectionNameExample": "Exemple: Collection Star Wars", "MessageNoPluginsInstalled": "Vous n'avez aucun plugin install\u00e9.", - "MessageConfirmResetTuner": "\u00cates-vous s\u00fbr de vouloir r\u00e9initialiser ce tuner ? Tout les lecteurs ou enregistrements actifs seront brusquement interrompus.", - "OptionSearchForInternetMetadata": "Rechercher sur Internet les images et m\u00e9tadonn\u00e9es", - "ButtonUpdateNow": "Mettre \u00e0 jour maintenant", "LabelVersionInstalled": "{0} install\u00e9(s)", - "ButtonCancelSeries": "Annuler s\u00e9ries", "LabelNumberReviews": "{0} Critique(s)", - "LabelAllChannels": "Toutes les cha\u00eenes", "LabelFree": "Gratuit", - "HeaderSeriesRecordings": "Enregistrements de s\u00e9ries", + "HeaderPlaybackError": "Erreur de lecture", + "MessagePlaybackErrorNotAllowed": "Vous n'\u00eates pas autoris\u00e9 \u00e0 lire ce contenu. Veuillez contacter votre administrateur syst\u00e8me pour plus de d\u00e9tails.", + "MessagePlaybackErrorNoCompatibleStream": "Aucun flux compatible n'est actuellement disponible. Veuillez r\u00e9essayer plus tard ou contactez votre administrateur pour plus de d\u00e9tails.", + "MessagePlaybackErrorRateLimitExceeded": "Vous avez d\u00e9pass\u00e9 votre limite de lecture. Veuillez contacter votre administrateur syst\u00e8me pour plus de d\u00e9tails.", + "MessagePlaybackErrorPlaceHolder": "Impossible de lire le contenu choisi sur cet appareil", "HeaderSelectAudio": "S\u00e9lectionner audio", - "LabelAnytime": "N'importe quelle heure", "HeaderSelectSubtitles": "S\u00e9lectionner sous-titres", - "StatusRecording": "Enregistrement", + "ButtonMarkForRemoval": "Supprimer de l'appareil", + "ButtonUnmarkForRemoval": "Annuler la suppression de l'appareil", "LabelDefaultStream": "(Par d\u00e9faut)", - "StatusWatching": "En lecture", "LabelForcedStream": "(Forc\u00e9)", - "StatusRecordingProgram": "Enregistre {0}", "LabelDefaultForcedStream": "(Par d\u00e9faut\/Forc\u00e9)", - "StatusWatchingProgram": "En lecture de {0}", "LabelUnknownLanguage": "Langue inconnue", - "ButtonQueue": "En file d'attente", + "MessageConfirmSyncJobItemCancellation": "Vouslez vous vraiment annuler cet action?", + "ButtonMute": "Sourdine", "ButtonUnmute": "D\u00e9sactiver sourdine", - "LabelSyncNoTargetsHelp": "Il semble que vous n'ayez actuellement aucune application qui supporte la synchronisation.", - "HeaderSplitMedia": "S\u00e9parer les m\u00e9dias", + "ButtonStop": "Arr\u00eat", + "ButtonNextTrack": "Piste suivante", + "ButtonPause": "Pause", + "ButtonPlay": "Lire", + "ButtonEdit": "Modifier", + "ButtonQueue": "En file d'attente", "ButtonPlaylist": "Liste de lecture", - "MessageConfirmSplitMedia": "\u00cates vous s\u00fbrs de vouloir diviser les sources de m\u00e9dia dans des items s\u00e9par\u00e9s ?", - "HeaderError": "Erreur", + "ButtonPreviousTrack": "Piste pr\u00e9c\u00e9dente", "LabelEnabled": "Activ\u00e9", - "HeaderSupporterBenefit": "Un partenariat de membre supporteur apporte des avantages suppl\u00e9mentaires, comme l'acc\u00e8s \u00e0 la synchronisation, aux plugins premiums, aux contenus des cha\u00eenes Internet, et plus encore. {0}En savoir plus{1}.", "LabelDisabled": "D\u00e9sactiv\u00e9", - "MessageTheFollowingItemsWillBeGrouped": "Les titres suivants seront group\u00e9s en un seul item:", "ButtonMoreInformation": "Plus d'information", - "MessageConfirmItemGrouping": "Les applications Emby choisiront automatiquement la version optimale de lecture en fonction de l'appareil et la qualit\u00e9 du r\u00e9seau. Etes-vous s\u00fbr de vouloir continuer ?", "LabelNoUnreadNotifications": "Aucune notification non lue", "ButtonViewNotifications": "Voir notifications", - "HeaderFavoriteAlbums": "Albums favoris", "ButtonMarkTheseRead": "Marquer comme lus", - "HeaderLatestChannelMedia": "Derniers items de la cha\u00eene", "ButtonClose": "Fermer", - "ButtonOrganizeFile": "Organiser le fichier", - "ButtonLearnMore": "En savoir plus", - "TabEpisodes": "\u00c9pisodes", "LabelAllPlaysSentToPlayer": "Toutes les lectures seront envoy\u00e9es au lecteur s\u00e9lectionn\u00e9.", - "ButtonDeleteFile": "Supprimer le fichier", "MessageInvalidUser": "Nom d'utilisateur ou mot de passe incorrect. R\u00e9essayer.", - "HeaderOrganizeFile": "Organiser le fichier", - "HeaderAudioTracks": "Pistes audio", + "HeaderLoginFailure": "\u00c9chec de la connection", + "HeaderAllRecordings": "Tous les enregistrements", "RecommendationBecauseYouLike": "Parce que vous aimez {0}", - "HeaderDeleteFile": "Supprimer le fichier", - "ButtonAdd": "Ajouter", - "HeaderSubtitles": "Sous-titres", - "ButtonView": "Affichage", "RecommendationBecauseYouWatched": "Parce que vous avez regard\u00e9 {0}", - "StatusSkipped": "Saut\u00e9s", - "HeaderVideoQuality": "Qualit\u00e9 vid\u00e9o", "RecommendationDirectedBy": "R\u00e9alis\u00e9 par {0}", - "StatusFailed": "\u00c9chou\u00e9", - "MessageErrorPlayingVideo": "La lecture de la vid\u00e9o a rencontr\u00e9 une erreur", "RecommendationStarring": "Mettant en vedette {0}", - "StatusSuccess": "Succ\u00e8s", - "MessageEnsureOpenTuner": "Veuillez vous assurer qu'un tuner est bien disponible.", "HeaderConfirmRecordingCancellation": "Confirmer l'annulation de l'enregistrement.", - "MessageFileWillBeDeleted": "Le fichier suivant sera supprim\u00e9 :", - "ButtonDashboard": "Tableau de bord", "MessageConfirmRecordingCancellation": "\u00cates-vous s\u00fbr de vouloir annuler cet enregistrement?", - "MessageSureYouWishToProceed": "\u00cates-vous s\u00fbr de vouloir continuer?", - "ButtonHelp": "Aide", - "ButtonReports": "Rapports", - "HeaderUnrated": "Non not\u00e9", "MessageRecordingCancelled": "Enregistrement annul\u00e9.", - "MessageDuplicatesWillBeDeleted": "De plus, les doublons suivants vont \u00eatre supprim\u00e9s :", - "ButtonMetadataManager": "Gestionnaire de m\u00e9tadonn\u00e9es", - "ValueDiscNumber": "Disque {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirmez l'annulation de la s\u00e9rie", + "MessageConfirmSeriesCancellation": "\u00cates-vous s\u00fbr de vouloir annuler cette s\u00e9rie?", + "MessageSeriesCancelled": "S\u00e9rie annul\u00e9e", "HeaderConfirmRecordingDeletion": "Confirmez la suppression de l'enregistrement", - "MessageFollowingFileWillBeMovedFrom": "Le fichier suivant sera d\u00e9plac\u00e9 de:", - "HeaderTime": "Heure", - "HeaderUnknownDate": "Date inconnue", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "\u00cates-vous s\u00fbr de vouloir supprimer cet enregistrement?", - "MessageDestinationTo": "\u00c0 :", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Ann\u00e9e inconnue", - "OptionRelease": "Version officielle", "MessageRecordingDeleted": "Enregistrement supprim\u00e9.", - "HeaderSelectWatchFolder": "S\u00e9lectionner le r\u00e9pertoire surveill\u00e9", - "HeaderAlbumArtist": "Artiste de l'album", - "HeaderMyViews": "Mes affichages", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Enregistrement annul\u00e9.", - "HeaderSelectWatchFolderHelp": "Parcourir ou saisir le chemin de votre r\u00e9pertoire de surveillance. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", - "HeaderArtist": "Artiste", - "OptionDev": "Dev (Instable)", "MessageRecordingSaved": "Enregistrement sauvegard\u00e9.", - "OrganizePatternResult": "R\u00e9sultat : {0}", - "HeaderLatestTvRecordings": "Les plus r\u00e9cents enregistrements", - "UninstallPluginHeader": "D\u00e9sinstaller Plug-in", - "ButtonMute": "Sourdine", - "HeaderRestart": "Red\u00e9marrer", - "UninstallPluginConfirmation": "\u00cates-vous s\u00fbr de vouloir d\u00e9sinstaller {0}?", - "HeaderShutdown": "\u00c9teindre", - "NoPluginConfigurationMessage": "Ce plugin n'a rien \u00e0 configurer.", - "MessageConfirmRestart": "Etes-vous s\u00fbr de vouloir red\u00e9marrer le serveur Emby ?", - "MessageConfirmRevokeApiKey": "Etes-vous s\u00fbr de vouloir r\u00e9voquer cette cl\u00e9 d'api ? La connexion de cette application au serveur Emby sera brutalement interrompue.", - "NoPluginsInstalledMessage": "Vous n'avez aucun plugin install\u00e9.", - "MessageConfirmShutdown": "Etes-vous s\u00fbr de vouloir \u00e9teindre le serveur Emby ?", - "HeaderConfirmRevokeApiKey": "R\u00e9voquer la cl\u00e9 API", - "BrowsePluginCatalogMessage": "Explorer notre catalogue des plugins pour voir les plugins disponibles.", - "NewVersionOfSomethingAvailable": "Une nouvelle version de {0} est disponible!", - "VersionXIsAvailableForDownload": "La version {0} est maintenant disponible au t\u00e9l\u00e9chargement.", - "TextEnjoyBonusFeatures": "Profitez bien des fonctionnalit\u00e9s bonus", - "ButtonHome": "Accueil", + "OptionSunday": "Dimanche", + "OptionMonday": "Lundi", + "OptionTuesday": "Mardi", + "OptionWednesday": "Mercredi", + "OptionThursday": "Jeudi", + "OptionFriday": "Vendredi", + "OptionSaturday": "Samedi", + "OptionEveryday": "Tous les jours", "OptionWeekend": "Week-ends", - "ButtonSettings": "Param\u00e8tres", "OptionWeekday": "Jours de semaine", - "OptionEveryday": "Tous les jours", - "HeaderMediaFolders": "R\u00e9pertoires de m\u00e9dias", - "ValueDateCreated": "Date de cr\u00e9ation : {0}", - "MessageItemsAdded": "Items ajout\u00e9s", - "HeaderScenes": "Sc\u00e8nes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "S\u00e9lectionner le lecteur :", - "ButtonAddToCollection": "Ajouter \u00e0 une collection", - "HeaderSelectCertificatePath": "S\u00e9lectionnez le chemin du certificat", - "LabelBirthDate": "Date de naissance :", - "HeaderSelectPath": "S\u00e9lectionnez un chemin", - "ButtonPlayTrailer": "Lire la bande-annonce", - "HeaderLibraryAccess": "Acc\u00e8s \u00e0 la librairie", - "HeaderChannelAccess": "Acc\u00e8s Cha\u00eene", - "MessageChromecastConnectionError": "Votre cl\u00e9 Chromecast ne peut pas se connecter \u00e0 votre serveur Emby. Veuillez v\u00e9rifier les connections et recommencer.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "Apr\u00e8s avoir termin\u00e9 cette transaction, vous devrez annuler votre donation r\u00e9currente depuis votre compte PayPal. Merci de supporter Emby.", - "MessageSupporterMembershipExpiredOn": "Votre compte supporteur partenaire expire le {0}", - "MessageYouHaveALifetimeMembership": "Vous \u00eates membres supporteur \u00e0 vie. Vous pouvez effectuez des dons ponctuels ou r\u00e9currents compl\u00e9mentaires \u00e0 l'aide des options ci-dessous. Merci de supporter Emby.", - "SyncJobStatusConverting": "Conversion en cours", - "MessageYouHaveAnActiveRecurringMembership": "Vous avez un compte actif de supporteur {0}. Vous pouvez le mettre \u00e0 jour suivant les options ci-dessous.", - "SyncJobStatusFailed": "Echec", - "SyncJobStatusCancelled": "Annul\u00e9", - "SyncJobStatusTransferring": "Transfert en cours", - "FolderTypeUnset": "Non d\u00e9fini (contenu m\u00e9lang\u00e9)", + "HeaderConfirmDeletion": "Confirmer la suppression", + "MessageConfirmPathSubstitutionDeletion": "\u00cates-vous s\u00fbr de vouloir supprimer cette substitution de chemin d'acc\u00e8s?", + "LiveTvUpdateAvailable": "(Mise \u00e0 jour disponible)", + "LabelVersionUpToDate": "\u00c0 jour!", + "ButtonResetTuner": "R\u00e9initialiser le tuner", + "HeaderResetTuner": "R\u00e9initialiser le tuner", + "MessageConfirmResetTuner": "\u00cates-vous s\u00fbr de vouloir r\u00e9initialiser ce tuner ? Tout les lecteurs ou enregistrements actifs seront brusquement interrompus.", + "ButtonCancelSeries": "Annuler s\u00e9ries", + "HeaderSeriesRecordings": "Enregistrements de s\u00e9ries", + "LabelAnytime": "N'importe quelle heure", + "StatusRecording": "Enregistrement", + "StatusWatching": "En lecture", + "StatusRecordingProgram": "Enregistre {0}", + "StatusWatchingProgram": "En lecture de {0}", + "HeaderSplitMedia": "S\u00e9parer les m\u00e9dias", + "MessageConfirmSplitMedia": "\u00cates vous s\u00fbrs de vouloir diviser les sources de m\u00e9dia dans des items s\u00e9par\u00e9s ?", + "HeaderError": "Erreur", + "MessageChromecastConnectionError": "Votre cl\u00e9 Chromecast ne peut pas se connecter \u00e0 votre serveur Emby. Veuillez v\u00e9rifier les connections et recommencer.", + "MessagePleaseSelectOneItem": "Veuillez s\u00e9lectionner au moins un item.", + "MessagePleaseSelectTwoItems": "Veuillez s\u00e9lectionner au moins deux items.", + "MessageTheFollowingItemsWillBeGrouped": "Les titres suivants seront group\u00e9s en un seul item:", + "MessageConfirmItemGrouping": "Les applications Emby choisiront automatiquement la version optimale de lecture en fonction de l'appareil et la qualit\u00e9 du r\u00e9seau. Etes-vous s\u00fbr de vouloir continuer ?", + "HeaderResume": "Reprendre", + "HeaderMyViews": "Mes affichages", + "HeaderLibraryFolders": "R\u00e9pertoires de m\u00e9dias", + "HeaderLatestMedia": "Derniers m\u00e9dias", + "ButtonMoreItems": "Plus...", + "ButtonMore": "Voir la suite", + "HeaderFavoriteMovies": "Films favoris", + "HeaderFavoriteShows": "S\u00e9ries favorites", + "HeaderFavoriteEpisodes": "\u00c9pisodes favoris", + "HeaderFavoriteGames": "Jeux favoris", + "HeaderRatingsDownloads": "Notes \/ T\u00e9l\u00e9chargements", + "HeaderConfirmProfileDeletion": "Confirmer la suppression de profil", + "MessageConfirmProfileDeletion": "\u00cates-vous s\u00fbr de vouloir supprimer ce profil?", + "HeaderSelectServerCachePath": "S\u00e9lectionner le chemin d'acc\u00e8s du cache de serveur", + "HeaderSelectTranscodingPath": "S\u00e9lectionnez le chemin d'acc\u00e8s du r\u00e9pertoire temporaire de transcodage", + "HeaderSelectImagesByNamePath": "S\u00e9lectionner le chemin d'acc\u00e8s du \"Images By Name\"", + "HeaderSelectMetadataPath": "S\u00e9lectionner le chemin d'acc\u00e8s des m\u00e9tadonn\u00e9es", + "HeaderSelectServerCachePathHelp": "Parcourir ou entrer le chemin d'acc\u00e8s \u00e0 utiliser pour les fichiers caches du serveur. Le dossier doit \u00eatre accessible en \u00e9criture.", + "HeaderSelectTranscodingPathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s \u00e0 utiliser pour le transcodage des fichiers temporaires. Le dossier devra \u00eatre accessible en \u00e9criture.", + "HeaderSelectImagesByNamePathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s de vos items par le nom de dossier. Le dossier devra \u00eatre accessible en \u00e9criture.", + "HeaderSelectMetadataPathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s o\u00f9 vous aimeriez stocker les m\u00e9tadonn\u00e9es. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", + "HeaderSelectChannelDownloadPath": "S\u00e9lectionnez le chemin de t\u00e9l\u00e9chargement des cha\u00eenes.", + "HeaderSelectChannelDownloadPathHelp": "Parcourir ou saisir le chemin destin\u00e9 au stockage des fichers cache des cha\u00eenes. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", + "OptionNewCollection": "Nouveau...", + "ButtonAdd": "Ajouter", + "ButtonRemove": "Supprimer", "LabelChapterDownloaders": "Agents de t\u00e9l\u00e9chargement de chapitres:", "LabelChapterDownloadersHelp": "Activez cette option pour classer vos sources pr\u00e9f\u00e9r\u00e9es de t\u00e9l\u00e9chargement de chapitres par ordre de priorit\u00e9. Les sources de t\u00e9l\u00e9chargement avec une priorit\u00e9 basse seront utilis\u00e9es uniquement pour compl\u00e9ter les informations manquantes.", - "HeaderUsers": "Utilisateurs", - "ValueStatus": "Etat: {0}", - "MessageInternetExplorerWebm": "Pour de meilleurs r\u00e9sultats avec Internet Explorer, merci d'installer le plugin WebM pour IE.", - "HeaderResume": "Reprendre", - "HeaderVideoError": "Erreur vid\u00e9o", + "HeaderFavoriteAlbums": "Albums favoris", + "HeaderLatestChannelMedia": "Derniers items de la cha\u00eene", + "ButtonOrganizeFile": "Organiser le fichier", + "ButtonDeleteFile": "Supprimer le fichier", + "HeaderOrganizeFile": "Organiser le fichier", + "HeaderDeleteFile": "Supprimer le fichier", + "StatusSkipped": "Saut\u00e9s", + "StatusFailed": "\u00c9chou\u00e9", + "StatusSuccess": "Succ\u00e8s", + "MessageFileWillBeDeleted": "Le fichier suivant sera supprim\u00e9 :", + "MessageSureYouWishToProceed": "\u00cates-vous s\u00fbr de vouloir continuer?", + "MessageDuplicatesWillBeDeleted": "De plus, les doublons suivants vont \u00eatre supprim\u00e9s :", + "MessageFollowingFileWillBeMovedFrom": "Le fichier suivant sera d\u00e9plac\u00e9 de:", + "MessageDestinationTo": "\u00c0 :", + "HeaderSelectWatchFolder": "S\u00e9lectionner le r\u00e9pertoire surveill\u00e9", + "HeaderSelectWatchFolderHelp": "Parcourir ou saisir le chemin de votre r\u00e9pertoire de surveillance. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", + "OrganizePatternResult": "R\u00e9sultat : {0}", + "HeaderRestart": "Red\u00e9marrer", + "HeaderShutdown": "\u00c9teindre", + "MessageConfirmRestart": "Etes-vous s\u00fbr de vouloir red\u00e9marrer le serveur Emby ?", + "MessageConfirmShutdown": "Etes-vous s\u00fbr de vouloir \u00e9teindre le serveur Emby ?", + "ButtonUpdateNow": "Mettre \u00e0 jour maintenant", + "ValueItemCount": "{0} \u00e9l\u00e9ment", + "ValueItemCountPlural": "{0} \u00e9l\u00e9ments", + "NewVersionOfSomethingAvailable": "Une nouvelle version de {0} est disponible!", + "VersionXIsAvailableForDownload": "La version {0} est maintenant disponible au t\u00e9l\u00e9chargement.", + "LabelVersionNumber": "Version {0}", + "LabelPlayMethodTranscoding": "Transcodage", + "LabelPlayMethodDirectStream": "Direct Stream", + "LabelPlayMethodDirectPlay": "Direct Play", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio : {0}", + "LabelVideoCodec": "Vid\u00e9o : {0}", + "LabelLocalAccessUrl": "Acc\u00e8s local : {0}", + "LabelRemoteAccessUrl": "URL d'acc\u00e8s \u00e0 distance: {0}", + "LabelRunningOnPort": "En cours d'ex\u00e9cution sur le port http {0}.", + "LabelRunningOnPorts": "En cours d'ex\u00e9cution sur le port http {0} et https {1}.", + "HeaderLatestFromChannel": "Les plus r\u00e9cents de {0}", + "LabelUnknownLanaguage": "Langue inconnue", + "HeaderCurrentSubtitles": "Sous-titres actuels", + "MessageDownloadQueued": "Le t\u00e9l\u00e9chargement a \u00e9t\u00e9 mis en file d'attente.", + "MessageAreYouSureDeleteSubtitles": "\u00cates-vous s\u00fbr de vouloir supprimer ce fichier de sous-titres ?", "ButtonRemoteControl": "Contr\u00f4le \u00e0 distance", - "TabSongs": "Chansons", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "Vous \u00eates enregistr\u00e9 pour cette fonctionnalit\u00e9, et vous pourrez continuer \u00e0 l'utiliser avec un compte actif de supporteur partenaire.", + "HeaderLatestTvRecordings": "Les plus r\u00e9cents enregistrements", + "ButtonOk": "Ok", + "ButtonCancel": "Annuler", + "ButtonRefresh": "Actualiser", + "LabelCurrentPath": "Chemin d'acc\u00e8s actuel :", + "HeaderSelectMediaPath": "S\u00e9lectionnez le chemin du m\u00e9dia", + "HeaderSelectPath": "S\u00e9lectionnez un chemin", + "ButtonNetwork": "R\u00e9seau", + "MessageDirectoryPickerInstruction": "Les chemins r\u00e9seaux peuvent \u00eatre saisis manuellement dans le cas o\u00f9 l'utilisation du bouton \"R\u00e9seau\" ne parvient pas \u00e0 localiser les ressources. Par exemple, {0} ou {1}.", + "HeaderMenu": "Menu", + "ButtonOpen": "Ouvrir", + "ButtonOpenInNewTab": "Ouvrir dans un nouvel onglet", + "ButtonShuffle": "M\u00e9langer", + "ButtonInstantMix": "Instantan\u00e9", + "ButtonResume": "Reprendre", + "HeaderScenes": "Sc\u00e8nes", + "HeaderAudioTracks": "Pistes audio", + "HeaderLibraries": "Bilblioth\u00e8ques", + "HeaderSubtitles": "Sous-titres", + "HeaderVideoQuality": "Qualit\u00e9 vid\u00e9o", + "MessageErrorPlayingVideo": "La lecture de la vid\u00e9o a rencontr\u00e9 une erreur", + "MessageEnsureOpenTuner": "Veuillez vous assurer qu'un tuner est bien disponible.", + "ButtonHome": "Accueil", + "ButtonDashboard": "Tableau de bord", + "ButtonReports": "Rapports", + "ButtonMetadataManager": "Gestionnaire de m\u00e9tadonn\u00e9es", + "HeaderTime": "Heure", + "HeaderName": "Nom", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Artiste de l'album", + "HeaderArtist": "Artiste", + "LabelAddedOnDate": "Ajout\u00e9 {0}", + "ButtonStart": "Commencer", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Cha\u00eenes", + "HeaderMediaFolders": "R\u00e9pertoires de m\u00e9dias", + "HeaderBlockItemsWithNoRating": "Bloquer le contenu ne comportant aucune information de classement :", + "OptionBlockOthers": "Autres", + "OptionBlockTvShows": "S\u00e9ries TV", + "OptionBlockTrailers": "Bandes-annonces", + "OptionBlockMusic": "Musique", + "OptionBlockMovies": "Films", + "OptionBlockBooks": "Livres", + "OptionBlockGames": "Jeux", + "OptionBlockLiveTvPrograms": "Programmes TV en direct", + "OptionBlockLiveTvChannels": "Cha\u00eenes TV en direct", + "OptionBlockChannelContent": "Cha\u00eenes Internet", + "ButtonRevoke": "R\u00e9voquer", + "MessageConfirmRevokeApiKey": "Etes-vous s\u00fbr de vouloir r\u00e9voquer cette cl\u00e9 d'api ? La connexion de cette application au serveur Emby sera brutalement interrompue.", + "HeaderConfirmRevokeApiKey": "R\u00e9voquer la cl\u00e9 API", "ValueContainer": "Conteneur : {0}", "ValueAudioCodec": "Codec Audio : {0}", "ValueVideoCodec": "Codec Vid\u00e9o : {0}", - "TabMusicVideos": "Videos musicales", "ValueCodec": "Codec : {0}", - "HeaderLatestReviews": "Derni\u00e8res critiques", - "HeaderDevices": "Appareils", "ValueConditions": "Conditions : {0}", - "HeaderPluginInstallation": "Installation du plug-in", "LabelAll": "Tout", - "MessageAlreadyInstalled": "Cette version est d\u00e9j\u00e0 install\u00e9e.", "HeaderDeleteImage": "Supprimer l'image", - "ValueReviewCount": "{0} Critiques", "MessageFileNotFound": "Fichier introuvable.", - "MessageYouHaveVersionInstalled": "Actuellement , vous avez la version {0} install\u00e9e", "MessageFileReadError": "Une erreur a \u00e9t\u00e9 rencontr\u00e9e pendant la lecture de ce fichier.", - "MessageTrialExpired": "La p\u00e9riode d'essai de cette fonctionnalit\u00e9 a expir\u00e9", "ButtonNextPage": "Page suivante", - "OptionWatched": "Vu", - "MessageTrialWillExpireIn": "La p\u00e9riode d'essai de cette fonctionnalit\u00e9 expire dans {0} jour(s)", "ButtonPreviousPage": "Page pr\u00e9c\u00e9dente", - "OptionUnwatched": "Non vu", - "MessageInstallPluginFromApp": "Ce plugin doit-\u00eatre install\u00e9 depuis l'application dans laquelle vous voulez l'utiliser", - "OptionRuntime": "Dur\u00e9e", - "HeaderMyMedia": "Mes medias", "ButtonMoveLeft": "D\u00e9placer \u00e0 gauche", - "ExternalPlayerPlaystateOptionsHelp": "Sp\u00e9cifiez la mani\u00e8re dont vous souhaitez reprendre la lecture de la vid\u00e9o la prochaine fois.", - "ValuePriceUSD": "Prix: {0} (USD)", - "OptionReleaseDate": "Date de sortie ", + "OptionReleaseDate": "Date de diffusion", "ButtonMoveRight": "D\u00e9placer \u00e0 droite", - "LabelMarkAs": "Marqu\u00e9 comme :", "ButtonBrowseOnlineImages": "Parcourir les images en ligne", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Veuillez accepter les conditions d'utilisation avant de poursuivre.", - "OptionInProgress": "En cours", "HeaderDeleteItem": "Supprimer l'\u00e9l\u00e9ment", - "ButtonUninstall": "D\u00e9sinstaller", - "LabelResumePoint": "Point de reprise", "ConfirmDeleteItem": "Supprimer cet \u00e9l\u00e9ment l'effacera \u00e0 la fois du syst\u00e8me de fichiers et de votre biblioth\u00e8que de medias. Etes-vous s\u00fbr de vouloir continuer ?", - "ValueOneMovie": "1 Film", - "ValueItemCount": "{0} \u00e9l\u00e9ment", "MessagePleaseEnterNameOrId": "Veuillez saisir un nom ou un identifiant externe.", - "ValueMovieCount": "{0} films", - "PluginCategoryGeneral": "G\u00e9n\u00e9ral", - "ValueItemCountPlural": "{0} \u00e9l\u00e9ments", "MessageValueNotCorrect": "La valeur saisie est incorrecte. Veuillez r\u00e9essayer.", - "ValueOneTrailer": "1 bande-annonce", "MessageItemSaved": "Item sauvegard\u00e9.", - "HeaderWelcomeBack": "Bienvenue !", - "ValueTrailerCount": "{0} bandes-annonces", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Veuillez accepter les conditions d'utilisation avant de poursuivre.", + "OptionEnded": "Termin\u00e9", + "OptionContinuing": "En continuation", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Param\u00e8tres", + "ButtonUninstall": "D\u00e9sinstaller", "HeaderFields": "Champs", - "ButtonTakeTheTourToSeeWhatsNew": "Suivez le guide pour d\u00e9couvrir les nouveaut\u00e9s", - "ValueOneSeries": "1 S\u00e9rie", - "PluginCategoryContentProvider": "Fournisseurs de contenus", "HeaderFieldsHelp": "Glisser un champ sur \"off\" pour le verrouiller et emp\u00eacher les modifications des donn\u00e9es correspondantes.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "TV en direct", - "ValueOneEpisode": "1 \u00e9pisode", - "LabelRecurringDonationCanBeCancelledHelp": "Des donations r\u00e9currentes peuvent \u00eatre annul\u00e9es \u00e0 tout moment depuis votre compte PayPal.", - "ButtonRevoke": "R\u00e9voquer", "MissingLocalTrailer": "Bande-annonce locale manquante.", - "ValueEpisodeCount": "{0} \u00e9pisodes", - "PluginCategoryScreenSaver": "Ecrans de veille", - "ButtonMore": "Voir la suite", "MissingPrimaryImage": "Image principale manquante.", - "ValueOneGame": "1 jeu", - "HeaderFavoriteMovies": "Films favoris", "MissingBackdropImage": "Image d'arri\u00e8re-plan manquante.", - "ValueGameCount": "{0} jeux", - "HeaderFavoriteShows": "S\u00e9ries favorites", "MissingLogoImage": "Image logo manquante.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Th\u00e8mes", - "HeaderFavoriteEpisodes": "\u00c9pisodes favoris", "MissingEpisode": "Episode manquant.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Jeux favoris", - "MessagePlaybackErrorPlaceHolder": "Impossible de lire le contenu choisi sur cet appareil", "OptionScreenshots": "Captures d'\u00e9cran", - "ValueOneSong": "1 chanson", - "HeaderRatingsDownloads": "Notes \/ T\u00e9l\u00e9chargements", "OptionBackdrops": "Arri\u00e8re-plans", - "MessageErrorLoadingSupporterInfo": "Il y a eu une erreur lors du chargement des informations de supporter. Veuillez r\u00e9essayer plus tard.", - "ValueSongCount": "{0} chansons", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirmer la suppression de profil", - "HeaderSelectDate": "S\u00e9lectionnez la date", - "ValueOneMusicVideo": "1 vid\u00e9o musicale", - "MessageConfirmProfileDeletion": "\u00cates-vous s\u00fbr de vouloir supprimer ce profil?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music Videos", - "HeaderSelectServerCachePath": "S\u00e9lectionner le chemin d'acc\u00e8s du cache de serveur", "OptionKeywords": "Mots-cl\u00e9s", - "MessageLinkYourSupporterKey": "Liez votre cl\u00e9 de supporteur avec un maximum de {0} membres Emby Connect pour b\u00e9n\u00e9ficier de l'acc\u00e8s gratuit aux applications suivantes :", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "R\u00e9seaux sociaux", - "HeaderSelectTranscodingPath": "S\u00e9lectionnez le chemin d'acc\u00e8s du r\u00e9pertoire temporaire de transcodage", - "MessageThankYouForSupporting": "Merci de supporter Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Non diffus\u00e9", - "HeaderSelectImagesByNamePath": "S\u00e9lectionner le chemin d'acc\u00e8s du \"Images By Name\"", "OptionStudios": "Studios", - "HeaderMissing": "Manquant", - "HeaderSelectMetadataPath": "S\u00e9lectionner le chemin d'acc\u00e8s des m\u00e9tadonn\u00e9es", "OptionName": "Nom", - "HeaderConfirmRemoveUser": "Supprimer l'utilisateur", - "ButtonWebsite": "Site Web", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Parcourir ou entrer le chemin d'acc\u00e8s \u00e0 utiliser pour les fichiers caches du serveur. Le dossier doit \u00eatre accessible en \u00e9criture.", - "SyncJobStatusQueued": "Mis en file d'attente", "OptionOverview": "Aper\u00e7u", - "TooltipFavorite": "Favoris", - "HeaderSelectTranscodingPathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s \u00e0 utiliser pour le transcodage des fichiers temporaires. Le dossier devra \u00eatre accessible en \u00e9criture.", - "ButtonCancelItem": "Annuler l'\u00e9l\u00e9ment", "OptionGenres": "Genres", - "ButtonScheduledTasks": "T\u00e2ches planifi\u00e9es", - "ValueTimeLimitSingleHour": "Limite de temps : 1 heure", - "TooltipLike": "Aime bien", - "HeaderSelectImagesByNamePathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s de vos items par le nom de dossier. Le dossier devra \u00eatre accessible en \u00e9criture.", - "SyncJobStatusCompleted": "Synchronis\u00e9", + "OptionParentalRating": "Classification parentale", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Etes-vous s\u00fbr de vouloir supprimer les avantages additionnels de supporteur pour cet utilisateur ?", - "TooltipDislike": "N'aime pas", - "PluginCategoryMetadata": "M\u00e9tadonn\u00e9es", - "HeaderSelectMetadataPathHelp": "Parcourir ou saisir le chemin d'acc\u00e8s o\u00f9 vous aimeriez stocker les m\u00e9tadonn\u00e9es. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", - "ButtonQueueForRetry": "File d'attente pour une nouvelle tentative", - "SyncJobStatusCompletedWithError": "Synchronis\u00e9, mais des erreurs sont apparues", + "OptionRuntime": "Dur\u00e9e", "OptionProductionLocations": "Sites de production", - "ButtonDonate": "Faire un don", - "TooltipPlayed": "Lu", "OptionBirthLocation": "Lieu de naissance", - "ValueTimeLimitMultiHour": "Limite de temps : {0} heures", - "ValueSeriesYearToPresent": "{0}-Pr\u00e9sent", - "ButtonReenable": "R\u00e9activer", + "LabelAllChannels": "Toutes les cha\u00eenes", "LabelLiveProgram": "DIRECT", - "ConfirmMessageScheduledTaskButton": "Cette op\u00e9ration s'ex\u00e9cute normalement automatiquement en tant que t\u00e2che planifi\u00e9e. Elle peut aussi \u00eatre ex\u00e9cut\u00e9e manuellement ici. Pour configurer la t\u00e2che planifi\u00e9e, voir:", - "ValueAwards": "R\u00e9compenses:{0}", - "PluginCategoryLiveTV": "TV en Direct", "LabelNewProgram": "NOUVEAUTE", - "ValueBudget": "Budget:{0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marquer pour suppression", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Recettes:{0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Modifier le type de contenu", - "ButtonQueueAllFromHere": "Tout mette en file d'attente \u00e0 partir d'ici", - "ValuePremiered": "Avant premi\u00e8re {0}", - "PluginCategoryChannel": "Cha\u00eenes", - "HeaderLibraryFolders": "R\u00e9pertoires de m\u00e9dias", - "ButtonMarkForRemoval": "Supprimer de l'appareil", "HeaderChangeFolderTypeHelp": "Pour modifier le type de r\u00e9pertoire, veuillez d'abord le supprimer et le recr\u00e9er avec le nouveau type.", - "ButtonPlayAllFromHere": "Tout lire \u00e0 partir d'ici", - "ValuePremieres": "Acteurs principaux {0}", "HeaderAlert": "Alerte", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Annuler la suppression de l'appareil", "MessagePleaseRestart": "Veuillez red\u00e9marrer pour finaliser les mises \u00e0 jour.", - "HeaderIdentify": "Identification de l'\u00e9l\u00e9ment", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Red\u00e9marrer", "MessagePleaseRefreshPage": "Veuillez actualiser cette page pour recevoir les nouvelles mises \u00e0 jour du serveur.", - "PersonTypePerson": "Personne", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Sp\u00e9cial - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Vouslez vous vraiment annuler cet action?", "ButtonHide": "Cacher", - "LabelTitleDisplayOrder": "Ordre d'affichage des titres:", - "ButtonViewSeriesRecording": "Voir les enregistrements de s\u00e9ries", "MessageSettingsSaved": "Param\u00e8tres sauvegard\u00e9s.", - "OptionSortName": "Clef de tri", - "ValueOriginalAirDate": "Date de diffusion originale: {0}", - "HeaderLibraries": "Bilblioth\u00e8ques", "ButtonSignOut": "D\u00e9connexion", - "ButtonOk": "Ok", "ButtonMyProfile": "Mon profil", - "ButtonCancel": "Annuler", "ButtonMyPreferences": "Mes pr\u00e9f\u00e9rences", - "LabelDiscNumber": "Num\u00e9ro de disque", "MessageBrowserDoesNotSupportWebSockets": "Ce navigateur ne supporte pas les sockets Web. Pour un meilleur confort d'utilisation, essayez avec un navigateur moderne tel que Chrome, Firefox, IE10+, Safari (iOS) ou Opera.", - "LabelParentNumber": "Num\u00e9ro parent", "LabelInstallingPackage": "Installation de {0}", - "TitleSync": "Sync.", "LabelPackageInstallCompleted": "L'installation de {0} est termin\u00e9e.", - "LabelTrackNumber": "Num\u00e9ro de piste:", "LabelPackageInstallFailed": "L'installation de {0} a \u00e9chou\u00e9.", - "LabelNumber": "Num\u00e9ro:", "LabelPackageInstallCancelled": "L'installation de {0} a \u00e9t\u00e9 annul\u00e9e.", - "LabelReleaseDate": "Date de sortie", + "TabServer": "Serveur", "TabUsers": "Utilisateurs", - "LabelEndDate": "Date de fin:", "TabLibrary": "Biblioth\u00e8que", - "LabelYear": "Ann\u00e9e", + "TabMetadata": "M\u00e9tadonn\u00e9es", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date de naissance :", "TabLiveTV": "TV en direct", - "LabelBirthYear": "Ann\u00e9e de naissance :", "TabAutoOrganize": "Auto-organisation", - "LabelDeathDate": "Date de d\u00e9c\u00e8s :", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Supprimer l'emplacement m\u00e9dia", - "HeaderDeviceAccess": "Acc\u00e8s \u00e0 l'appareil", + "TabAdvanced": "Avanc\u00e9", "TabHelp": "Aide", - "MessageConfirmRemoveMediaLocation": "Etes vous s\u00fbr de vouloir supprimer cet emplacement?", - "HeaderSelectDevices": "S\u00e9lectionnez un appareil", "TabScheduledTasks": "T\u00e2ches planifi\u00e9es", - "HeaderRenameMediaFolder": "Renommer le r\u00e9pertoire de m\u00e9dia", - "LabelNewName": "Nouveau nom :", - "HeaderLatestFromChannel": "Les plus r\u00e9cents de {0}", - "HeaderAddMediaFolder": "Ajouter un r\u00e9pertoire de m\u00e9dias", - "ButtonQuality": "Qualit\u00e9", - "HeaderAddMediaFolderHelp": "Nom (Film, Musique, TV, etc):", "ButtonFullscreen": "Plein \u00e9cran", - "HeaderRemoveMediaFolder": "Supprimer le r\u00e9pertoire de m\u00e9dias", - "ButtonScenes": "Sc\u00e8nes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "L'emplacement m\u00e9dia suivant va \u00eatre supprim\u00e9 de votre biblioth\u00e8que :", - "ErrorLaunchingChromecast": "Une erreur a \u00e9t\u00e9 rencontr\u00e9e lors du lancement de Chromecast. Veuillez vous assurer que votre appareil est bien connect\u00e9 \u00e0 votre r\u00e9seau sans-fil.", - "ButtonSubtitles": "Sous-titres", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00cates-vous s\u00fbr de vouloir supprimer ce r\u00e9pertoire de m\u00e9dia?", - "MessagePleaseSelectOneItem": "Veuillez s\u00e9lectionner au moins un item.", "ButtonAudioTracks": "Pistes audio", - "ButtonRename": "Renommer", - "MessagePleaseSelectTwoItems": "Veuillez s\u00e9lectionner au moins deux items.", - "ButtonPreviousTrack": "Piste pr\u00e9c\u00e9dente", - "ButtonChangeType": "Changer le type", - "HeaderSelectChannelDownloadPath": "S\u00e9lectionnez le chemin de t\u00e9l\u00e9chargement des cha\u00eenes.", - "ButtonNextTrack": "Piste suivante", - "HeaderMediaLocations": "Emplacement des m\u00e9dias", - "HeaderSelectChannelDownloadPathHelp": "Parcourir ou saisir le chemin destin\u00e9 au stockage des fichers cache des cha\u00eenes. Le r\u00e9pertoire doit \u00eatre accessible en \u00e9criture.", - "ButtonStop": "Arr\u00eat", - "OptionNewCollection": "Nouveau...", - "ButtonPause": "Pause", - "TabMovies": "Films", - "LabelPathSubstitutionHelp": "Optionnel : la substitution de chemin peut rediriger les chemins serveurs vers des partages r\u00e9seau pour une lecture directe par les clients.", - "TabTrailers": "Bandes-annonces", - "FolderTypeMovies": "Films", - "LabelCollection": "Collection", - "FolderTypeMusic": "Musique", - "FolderTypeAdultVideos": "Vid\u00e9os Adultes", - "HeaderAddToCollection": "Ajouter \u00e0 la collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Soumettre", - "FolderTypeMusicVideos": "Vid\u00e9os Musical", - "SettingsSaved": "Param\u00e8tres sauvegard\u00e9s.", - "OptionParentalRating": "Classification parentale", - "FolderTypeHomeVideos": "Vid\u00e9os personnelles", - "AddUser": "Ajouter un utilisateur", - "HeaderMenu": "Menu", - "FolderTypeGames": "Jeux", - "Users": "Utilisateurs", - "ButtonRefresh": "Actualiser", - "PinCodeResetComplete": "Le code Easy Pin a \u00e9t\u00e9 r\u00e9initialis\u00e9.", - "ButtonOpen": "Ouvrir", - "FolderTypeBooks": "Livres", - "Delete": "Supprimer", - "LabelCurrentPath": "Chemin d'acc\u00e8s actuel :", - "TabAdvanced": "Avanc\u00e9", - "ButtonOpenInNewTab": "Ouvrir dans un nouvel onglet", - "FolderTypeTvShows": "TV", - "Administrator": "Administrateur", - "HeaderSelectMediaPath": "S\u00e9lectionnez le chemin du m\u00e9dia", - "PinCodeResetConfirmation": "Etes-vous s\u00fbr de vouloir r\u00e9initialiser le code pin ?", - "ButtonShuffle": "M\u00e9langer", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Lieu de naissance: {0}", - "Password": "Mot de passe", - "ButtonNetwork": "R\u00e9seau", - "OptionContinuing": "En continuation", - "ButtonInstantMix": "Instantan\u00e9", - "DeathDateValue": "D\u00e9c\u00e9d\u00e9(e): {0}", - "MessageDirectoryPickerInstruction": "Les chemins r\u00e9seaux peuvent \u00eatre saisis manuellement dans le cas o\u00f9 l'utilisation du bouton \"R\u00e9seau\" ne parvient pas \u00e0 localiser les ressources. Par exemple, {0} ou {1}.", - "HeaderPinCodeReset": "R\u00e9initialiser le code Pin", - "OptionEnded": "Termin\u00e9", - "ButtonResume": "Reprendre", + "ButtonSubtitles": "Sous-titres", + "ButtonScenes": "Sc\u00e8nes", + "ButtonQuality": "Qualit\u00e9", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "S\u00e9lectionner le lecteur :", + "ButtonSelect": "S\u00e9lectionner", + "ButtonNew": "Nouveau", + "MessageInternetExplorerWebm": "Pour de meilleurs r\u00e9sultats avec Internet Explorer, merci d'installer le plugin WebM pour IE.", + "HeaderVideoError": "Erreur vid\u00e9o", "ButtonAddToPlaylist": "Ajouter \u00e0 la liste de lecture", - "BirthDateValue": "N\u00e9(e): {0}", - "ButtonMoreItems": "Plus...", - "DeleteImage": "Supprimer l'image", "HeaderAddToPlaylist": "Ajouter \u00e0 la liste de lecture", - "LabelSelectCollection": "S\u00e9lectionner la collection :", - "MessageNoSyncJobsFound": "Aucune t\u00e2che de synchronisation trouv\u00e9e. Vous pouvez cr\u00e9er des t\u00e2ches de synchronisation gr\u00e2ce aux boutons 'Synchroniser' partout dans l'interface web.", - "ButtonRemoveFromPlaylist": "Supprimer de la liste de lecture", - "DeleteImageConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer l'image?", - "HeaderLoginFailure": "\u00c9chec de la connection", - "OptionSunday": "Dimanche", + "LabelName": "Nom", + "ButtonSubmit": "Soumettre", "LabelSelectPlaylist": "Liste de lecture :", - "LabelContentTypeValue": "Type de contenu : {0}", - "FileReadCancelled": "La lecture du fichier a \u00e9t\u00e9 annul\u00e9e.", - "OptionMonday": "Lundi", "OptionNewPlaylist": "Nouvelle liste de lecture...", - "FileNotFound": "Fichier introuvable.", - "HeaderPlaybackError": "Erreur de lecture", - "OptionTuesday": "Mardi", "MessageAddedToPlaylistSuccess": "OK", - "FileReadError": "Un erreur est survenue pendant la lecture du fichier.", - "HeaderName": "Nom", - "OptionWednesday": "Mercredi", + "ButtonView": "Affichage", + "ButtonViewSeriesRecording": "Voir les enregistrements de s\u00e9ries", + "ValueOriginalAirDate": "Date de diffusion originale: {0}", + "ButtonRemoveFromPlaylist": "Supprimer de la liste de lecture", + "HeaderSpecials": "Episodes sp\u00e9ciaux", + "HeaderTrailers": "Bandes-annonces", + "HeaderAudio": "Audio", + "HeaderResolution": "R\u00e9solution", + "HeaderVideo": "Vid\u00e9o", + "HeaderRuntime": "Dur\u00e9e", + "HeaderCommunityRating": "Note de la communaut\u00e9", + "HeaderPasswordReset": "Mot de passe r\u00e9initialis\u00e9", + "HeaderParentalRating": "Classification parentale", + "HeaderReleaseDate": "Date de sortie ", + "HeaderDateAdded": "Date d'ajout", + "HeaderSeries": "S\u00e9ries", + "HeaderSeason": "Saison", + "HeaderSeasonNumber": "Num\u00e9ro de saison", + "HeaderNetwork": "R\u00e9seau", + "HeaderYear": "Ann\u00e9e", + "HeaderGameSystem": "Plateforme de jeu", + "HeaderPlayers": "Lecteurs", + "HeaderEmbeddedImage": "Image int\u00e9gr\u00e9e", + "HeaderTrack": "Piste", + "HeaderDisc": "Disque", + "OptionMovies": "Films", "OptionCollections": "Collections", - "DeleteUser": "Supprimer l'utilisateur", - "OptionThursday": "Jeudi", "OptionSeries": "S\u00e9ries", - "DeleteUserConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer cet utilisateur?", - "MessagePlaybackErrorNotAllowed": "Vous n'\u00eates pas autoris\u00e9 \u00e0 lire ce contenu. Veuillez contacter votre administrateur syst\u00e8me pour plus de d\u00e9tails.", - "OptionFriday": "Vendredi", "OptionSeasons": "Saisons", - "PasswordResetHeader": "R\u00e9initialiser le mot de passe", - "OptionSaturday": "Samedi", + "OptionEpisodes": "\u00c9pisodes", "OptionGames": "Jeux", - "PasswordResetComplete": "Le mot de passe a \u00e9t\u00e9 r\u00e9initialis\u00e9.", - "HeaderSpecials": "Episodes sp\u00e9ciaux", "OptionGameSystems": "Plateformes de jeu", - "PasswordResetConfirmation": "\u00cates-vous s\u00fbr de vouloir r\u00e9initialiser le mot de passe?", - "MessagePlaybackErrorNoCompatibleStream": "Aucun flux compatible n'est actuellement disponible. Veuillez r\u00e9essayer plus tard ou contactez votre administrateur pour plus de d\u00e9tails.", - "HeaderTrailers": "Bandes-annonces", "OptionMusicArtists": "Artistes musicaux", - "PasswordSaved": "Mot de passe sauvegard\u00e9.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Albums de musique", - "PasswordMatchError": "Le mot de passe et sa confirmation doivent correspondre.", - "HeaderResolution": "R\u00e9solution", - "LabelFailed": "(Echec)", "OptionMusicVideos": "Vid\u00e9oclips", - "MessagePlaybackErrorRateLimitExceeded": "Vous avez d\u00e9pass\u00e9 votre limite de lecture. Veuillez contacter votre administrateur syst\u00e8me pour plus de d\u00e9tails.", - "HeaderVideo": "Vid\u00e9o", - "ButtonSelect": "S\u00e9lectionner", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Chansons", - "HeaderRuntime": "Dur\u00e9e", - "LabelPlayMethodTranscoding": "Transcodage", "OptionHomeVideos": "Vid\u00e9os personnelles", - "ButtonSave": "Sauvegarder", - "HeaderCommunityRating": "Note de la communaut\u00e9", - "LabelSeries": "S\u00e9ries", - "LabelPlayMethodDirectStream": "Direct Stream", "OptionBooks": "Livres", - "HeaderParentalRating": "Classification parentale", - "LabelSeasonNumber": "Num\u00e9ro de la saison:", - "HeaderChannels": "Cha\u00eenes", - "LabelPlayMethodDirectPlay": "Direct Play", "OptionAdultVideos": "Vid\u00e9os adultes", - "ButtonDownload": "T\u00e9l\u00e9chargement", - "HeaderReleaseDate": "Date de sortie ", - "LabelEpisodeNumber": "Num\u00e9ro de l'\u00e9pisode:", - "LabelAudioCodec": "Audio : {0}", "ButtonUp": "Haut", - "LabelUnknownLanaguage": "Langue inconnue", - "HeaderDateAdded": "Date d'ajout", - "LabelVideoCodec": "Vid\u00e9o : {0}", "ButtonDown": "Bas", - "HeaderCurrentSubtitles": "Sous-titres actuels", - "ButtonPlayExternalPlayer": "Lire avec lecteur externe", - "HeaderSeries": "S\u00e9ries", - "TabServer": "Serveur", - "TabSeries": "S\u00e9ries", - "LabelRemoteAccessUrl": "URL d'acc\u00e8s \u00e0 distance: {0}", "LabelMetadataReaders": "Lecteurs de m\u00e9tadonn\u00e9es :", - "MessageDownloadQueued": "Le t\u00e9l\u00e9chargement a \u00e9t\u00e9 mis en file d'attente.", - "HeaderSelectExternalPlayer": "S\u00e9lectionner le lecteur externe", - "HeaderSeason": "Saison", - "HeaderSupportTheTeam": "Aidez l'\u00e9quipe Emby", - "LabelRunningOnPort": "En cours d'ex\u00e9cution sur le port http {0}.", "LabelMetadataReadersHelp": "Classez vos sources locales de m\u00e9tadonn\u00e9es pr\u00e9f\u00e9r\u00e9es dans l'ordre de priorit\u00e9. Le premier fichier trouv\u00e9 sera lu.", - "MessageAreYouSureDeleteSubtitles": "\u00cates-vous s\u00fbr de vouloir supprimer ce fichier de sous-titres ?", - "HeaderExternalPlayerPlayback": "Lecture avec lecteur externe", - "HeaderSeasonNumber": "Num\u00e9ro de saison", - "LabelRunningOnPorts": "En cours d'ex\u00e9cution sur le port http {0} et https {1}.", "LabelMetadataDownloaders": "T\u00e9l\u00e9chargeurs de m\u00e9tadonn\u00e9es:", - "ButtonImDone": "J'ai fini", - "HeaderNetwork": "R\u00e9seau", "LabelMetadataDownloadersHelp": "Activez et classez vos sources de t\u00e9l\u00e9chargement de m\u00e9tadonn\u00e9es pr\u00e9f\u00e9r\u00e9es dans l'ordre de priorit\u00e9. Les plus basses seront utilis\u00e9es uniquement pour remplir les informations manquantes.", - "HeaderLatestMedia": "Derniers m\u00e9dias", - "HeaderYear": "Ann\u00e9e", "LabelMetadataSavers": "Enregistreurs de m\u00e9tadonn\u00e9es :", - "HeaderGameSystem": "Plateforme de jeu", - "MessagePleaseSupportProject": "Merci de supporter Emby.", "LabelMetadataSaversHelp": "S\u00e9lectionnez un format de fichier pour la sauvegarde des m\u00e9tadonn\u00e9es.", - "HeaderPlayers": "Lecteurs", "LabelImageFetchers": "R\u00e9cup\u00e9rateurs d'image :", - "HeaderEmbeddedImage": "Image int\u00e9gr\u00e9e", - "ButtonNew": "Nouveau", "LabelImageFetchersHelp": "Activez cette option pour classer vos r\u00e9cup\u00e9rateurs d'images par ordre de priorit\u00e9.", - "MessageSwipeDownOnRemoteControl": "Bienvenue dans votre t\u00e9l\u00e9commande. S\u00e9lectionnez l'appareil \u00e0 contr\u00f4ler en cliquant sur l'ic\u00f4ne cast dans le coin en haut \u00e0 droite. Faites glissez votre doigt vers le bas depuis n'importe o\u00f9 sur cet \u00e9cran pour revenir d'o\u00f9 vous veniez.", - "HeaderTrack": "Piste", - "HeaderWelcomeToProjectServerDashboard": "Bienvenue dans le tableau de bord du serveur Emby", - "TabMetadata": "M\u00e9tadonn\u00e9es", - "HeaderDisc": "Disque", - "HeaderWelcomeToProjectWebClient": "Bienvenue dans Emby", - "LabelName": "Nom", - "LabelAddedOnDate": "Ajout\u00e9 {0}", - "ButtonRemove": "Supprimer", - "ButtonStart": "Commencer", - "HeaderEmbyAccountAdded": "Compte Emby ajout\u00e9", - "HeaderBlockItemsWithNoRating": "Bloquer le contenu ne comportant aucune information de classement :", - "LabelLocalAccessUrl": "Acc\u00e8s local : {0}", - "OptionBlockOthers": "Autres", - "SyncJobStatusReadyToTransfer": "Pr\u00eat pour le transfert", - "OptionBlockTvShows": "S\u00e9ries TV", - "SyncJobItemStatusReadyToTransfer": "Pr\u00eat pour le transfert", - "MessageEmbyAccountAdded": "Le compte Emby a \u00e9t\u00e9 ajout\u00e9 \u00e0 cet utilisateur.", - "OptionBlockTrailers": "Bandes-annonces", - "OptionBlockMusic": "Musique", - "OptionBlockMovies": "Films", - "HeaderAllRecordings": "Tous les enregistrements", - "MessagePendingEmbyAccountAdded": "Le compte Emby a \u00e9t\u00e9 ajout\u00e9 \u00e0 cet utilisateur. Un email va \u00eatre envoy\u00e9 au propri\u00e9taire du compte. L'invitation devra \u00eatre confirm\u00e9e en cliquant sur le lien contenu dans l'email.", - "OptionBlockBooks": "Livres", - "ButtonPlay": "Lire", - "OptionBlockGames": "Jeux", - "MessageKeyEmailedTo": "Cl\u00e9 envoy\u00e9e par courriel \u00e0 {0}", + "ButtonQueueAllFromHere": "Tout mette en file d'attente \u00e0 partir d'ici", + "ButtonPlayAllFromHere": "Tout lire \u00e0 partir d'ici", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identification de l'\u00e9l\u00e9ment", + "PersonTypePerson": "Personne", + "LabelTitleDisplayOrder": "Ordre d'affichage des titres:", + "OptionSortName": "Clef de tri", + "LabelDiscNumber": "Num\u00e9ro de disque", + "LabelParentNumber": "Num\u00e9ro parent", + "LabelTrackNumber": "Num\u00e9ro de piste:", + "LabelNumber": "Num\u00e9ro:", + "LabelReleaseDate": "Date de sortie", + "LabelEndDate": "Date de fin:", + "LabelYear": "Ann\u00e9e", + "LabelDateOfBirth": "Date de naissance :", + "LabelBirthYear": "Ann\u00e9e de naissance :", + "LabelBirthDate": "Date de naissance :", + "LabelDeathDate": "Date de d\u00e9c\u00e8s :", + "HeaderRemoveMediaLocation": "Supprimer l'emplacement m\u00e9dia", + "MessageConfirmRemoveMediaLocation": "Etes vous s\u00fbr de vouloir supprimer cet emplacement?", + "HeaderRenameMediaFolder": "Renommer le r\u00e9pertoire de m\u00e9dia", + "LabelNewName": "Nouveau nom :", + "HeaderAddMediaFolder": "Ajouter un r\u00e9pertoire de m\u00e9dias", + "HeaderAddMediaFolderHelp": "Nom (Film, Musique, TV, etc):", + "HeaderRemoveMediaFolder": "Supprimer le r\u00e9pertoire de m\u00e9dias", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "L'emplacement m\u00e9dia suivant va \u00eatre supprim\u00e9 de votre biblioth\u00e8que :", + "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00cates-vous s\u00fbr de vouloir supprimer ce r\u00e9pertoire de m\u00e9dia?", + "ButtonRename": "Renommer", + "ButtonChangeType": "Changer le type", + "HeaderMediaLocations": "Emplacement des m\u00e9dias", + "LabelContentTypeValue": "Type de contenu : {0}", + "LabelPathSubstitutionHelp": "Optionnel : la substitution de chemin peut rediriger les chemins serveurs vers des partages r\u00e9seau pour une lecture directe par les clients.", + "FolderTypeUnset": "Non d\u00e9fini (contenu m\u00e9lang\u00e9)", + "FolderTypeMovies": "Films", + "FolderTypeMusic": "Musique", + "FolderTypeAdultVideos": "Vid\u00e9os Adultes", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Vid\u00e9os Musical", + "FolderTypeHomeVideos": "Vid\u00e9os personnelles", + "FolderTypeGames": "Jeux", + "FolderTypeBooks": "Livres", + "FolderTypeTvShows": "TV", + "TabMovies": "Films", + "TabSeries": "S\u00e9ries", + "TabEpisodes": "\u00c9pisodes", + "TabTrailers": "Bandes-annonces", "TabGames": "Jeux", - "ButtonEdit": "Modifier", - "OptionBlockLiveTvPrograms": "Programmes TV en direct", - "MessageKeysLinked": "Cl\u00e9s associ\u00e9es.", - "HeaderEmbyAccountRemoved": "Compte Emby supprim\u00e9", - "OptionBlockLiveTvChannels": "Cha\u00eenes TV en direct", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Supprimer", - "OptionBlockChannelContent": "Cha\u00eenes Internet", - "MessageKeyUpdated": "Merci. Votre cl\u00e9 de supporteur a \u00e9t\u00e9 mise \u00e0 jour.", - "MessageKeyRemoved": "Merci. Votre cl\u00e9 de supporteur a \u00e9t\u00e9 supprim\u00e9e.", - "OptionMovies": "Films", - "MessageEmbyAccontRemoved": "Le compte Emby a \u00e9t\u00e9 supprim\u00e9 pour cet utilisateur.", - "HeaderSearch": "Recherche", - "OptionEpisodes": "\u00c9pisodes", - "LabelArtist": "Artiste", - "LabelMovie": "Film", - "HeaderPasswordReset": "Mot de passe r\u00e9initialis\u00e9", - "TooltipLinkedToEmbyConnect": "Li\u00e9 \u00e0 Emby Connect", - "LabelMusicVideo": "Clip vid\u00e9o", - "LabelEpisode": "\u00c9pisode", - "LabelAbortedByServerShutdown": "(Annul\u00e9 par fermeture du serveur)", - "HeaderConfirmSeriesCancellation": "Confirmez l'annulation de la s\u00e9rie", - "LabelStopping": "En cours d'arr\u00eat", - "MessageConfirmSeriesCancellation": "\u00cates-vous s\u00fbr de vouloir annuler cette s\u00e9rie?", - "LabelCancelled": "(annul\u00e9)", - "MessageSeriesCancelled": "S\u00e9rie annul\u00e9e", - "HeaderConfirmDeletion": "Confirmer la suppression", - "MessageConfirmPathSubstitutionDeletion": "\u00cates-vous s\u00fbr de vouloir supprimer cette substitution de chemin d'acc\u00e8s?", - "LabelScheduledTaskLastRan": "Derni\u00e8re ex\u00e9cution {0}, dur\u00e9e {1}.", - "LiveTvUpdateAvailable": "(Mise \u00e0 jour disponible)", - "TitleLiveTV": "TV en direct", - "HeaderDeleteTaskTrigger": "Supprimer le d\u00e9clencheur de t\u00e2che", - "LabelVersionUpToDate": "\u00c0 jour!", - "ButtonTakeTheTour": "Visite guid\u00e9e", - "ButtonInbox": "Bo\u00eete de r\u00e9ception", - "HeaderPlotKeywords": "afficher les mots cl\u00e9s", - "HeaderTags": "Tags", - "TabCast": "Distribution", - "WebClientTourMySync": "Synchronisez vos m\u00e9dias personnels avec vos appareils pour les visionner en mode d\u00e9connect\u00e9.", - "TabScenes": "Sc\u00e8nes", - "DashboardTourSync": "Synchronisez vos m\u00e9dias personnels avec vos appareils pour les visionner en mode d\u00e9connect\u00e9.", - "MessageRefreshQueued": "Demande d'actualisation en file d'attente", - "DashboardTourHelp": "L'aide contextuelle de l'application permet d'ouvrir les pages du wiki relatives au contenu affich\u00e9.", - "DeviceLastUsedByUserName": "Derni\u00e8rement utilis\u00e9 par {0}", - "HeaderDeleteDevice": "Supprimer l'appareil", - "DeleteDeviceConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer cet appareil ? La prochaine fois qu'un utilisateur se connecte depuis cet appareil, il sera ajout\u00e9 \u00e0 nouveau.", - "LabelEnableCameraUploadFor": "Autoriser l'upload du contenu de l'appareil photo pour:", - "HeaderSelectUploadPath": "S\u00e9lectionner le r\u00e9pertoire d'upload", - "LabelEnableCameraUploadForHelp": "Les uploads se feront automatiquement en t\u00e2che de fond apr\u00e8s la connexion \u00e0 Emby.", - "ButtonLibraryAccess": "Acc\u00e8s \u00e0 la biblioth\u00e8que", - "ButtonParentalControl": "Contr\u00f4le parental", - "TabDevices": "Appareils", - "LabelItemLimit": "Maximum d'\u00e9l\u00e9ments :", - "HeaderAdvanced": "Avanc\u00e9", - "LabelItemLimitHelp": "Optionnel : d\u00e9finit le nombre maximum d'\u00e9l\u00e9ments qui seront synchronis\u00e9s.", - "MessageBookPluginRequired": "N\u00e9cessite l'installation du plugin Bookshelf", + "TabAlbums": "Albums", + "TabSongs": "Chansons", + "TabMusicVideos": "Videos musicales", + "BirthPlaceValue": "Lieu de naissance: {0}", + "DeathDateValue": "D\u00e9c\u00e9d\u00e9(e): {0}", + "BirthDateValue": "N\u00e9(e): {0}", + "HeaderLatestReviews": "Derni\u00e8res critiques", + "HeaderPluginInstallation": "Installation du plug-in", + "MessageAlreadyInstalled": "Cette version est d\u00e9j\u00e0 install\u00e9e.", + "ValueReviewCount": "{0} Critiques", + "MessageYouHaveVersionInstalled": "Actuellement , vous avez la version {0} install\u00e9e", + "MessageTrialExpired": "La p\u00e9riode d'essai de cette fonctionnalit\u00e9 a expir\u00e9", + "MessageTrialWillExpireIn": "La p\u00e9riode d'essai de cette fonctionnalit\u00e9 expire dans {0} jour(s)", + "MessageInstallPluginFromApp": "Ce plugin doit-\u00eatre install\u00e9 depuis l'application dans laquelle vous voulez l'utiliser", + "ValuePriceUSD": "Prix: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Vous \u00eates enregistr\u00e9 pour cette fonctionnalit\u00e9, et vous pourrez continuer \u00e0 l'utiliser avec un compte actif de supporteur partenaire.", + "MessageChangeRecurringPlanConfirm": "Apr\u00e8s avoir termin\u00e9 cette transaction, vous devrez annuler votre donation r\u00e9currente depuis votre compte PayPal. Merci de supporter Emby.", + "MessageSupporterMembershipExpiredOn": "Votre compte supporteur partenaire expire le {0}", + "MessageYouHaveALifetimeMembership": "Vous \u00eates membres supporteur \u00e0 vie. Vous pouvez effectuez des dons ponctuels ou r\u00e9currents compl\u00e9mentaires \u00e0 l'aide des options ci-dessous. Merci de supporter Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Vous avez un compte actif de supporteur {0}. Vous pouvez le mettre \u00e0 jour suivant les options ci-dessous.", + "ButtonDelete": "Supprimer", + "HeaderEmbyAccountAdded": "Compte Emby ajout\u00e9", + "MessageEmbyAccountAdded": "Le compte Emby a \u00e9t\u00e9 ajout\u00e9 \u00e0 cet utilisateur.", + "MessagePendingEmbyAccountAdded": "Le compte Emby a \u00e9t\u00e9 ajout\u00e9 \u00e0 cet utilisateur. Un email va \u00eatre envoy\u00e9 au propri\u00e9taire du compte. L'invitation devra \u00eatre confirm\u00e9e en cliquant sur le lien contenu dans l'email.", + "HeaderEmbyAccountRemoved": "Compte Emby supprim\u00e9", + "MessageEmbyAccontRemoved": "Le compte Emby a \u00e9t\u00e9 supprim\u00e9 pour cet utilisateur.", + "TooltipLinkedToEmbyConnect": "Li\u00e9 \u00e0 Emby Connect", + "HeaderUnrated": "Non not\u00e9", + "ValueDiscNumber": "Disque {0}", + "HeaderUnknownDate": "Date inconnue", + "HeaderUnknownYear": "Ann\u00e9e inconnue", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Lire avec lecteur externe", + "HeaderSelectExternalPlayer": "S\u00e9lectionner le lecteur externe", + "HeaderExternalPlayerPlayback": "Lecture avec lecteur externe", + "ButtonImDone": "J'ai fini", + "OptionWatched": "Vu", + "OptionUnwatched": "Non vu", + "ExternalPlayerPlaystateOptionsHelp": "Sp\u00e9cifiez la mani\u00e8re dont vous souhaitez reprendre la lecture de la vid\u00e9o la prochaine fois.", + "LabelMarkAs": "Marqu\u00e9 comme :", + "OptionInProgress": "En cours", + "LabelResumePoint": "Point de reprise", + "ValueOneMovie": "1 Film", + "ValueMovieCount": "{0} films", + "ValueOneTrailer": "1 bande-annonce", + "ValueTrailerCount": "{0} bandes-annonces", + "ValueOneSeries": "1 S\u00e9rie", + "ValueSeriesCount": "{0} series", + "ValueOneEpisode": "1 \u00e9pisode", + "ValueEpisodeCount": "{0} \u00e9pisodes", + "ValueOneGame": "1 jeu", + "ValueGameCount": "{0} jeux", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} albums", + "ValueOneSong": "1 chanson", + "ValueSongCount": "{0} chansons", + "ValueOneMusicVideo": "1 vid\u00e9o musicale", + "ValueMusicVideoCount": "{0} music Videos", + "HeaderOffline": "Offline", + "HeaderUnaired": "Non diffus\u00e9", + "HeaderMissing": "Manquant", + "ButtonWebsite": "Site Web", + "TooltipFavorite": "Favoris", + "TooltipLike": "Aime bien", + "TooltipDislike": "N'aime pas", + "TooltipPlayed": "Lu", + "ValueSeriesYearToPresent": "{0}-Pr\u00e9sent", + "ValueAwards": "R\u00e9compenses:{0}", + "ValueBudget": "Budget:{0}", + "ValueRevenue": "Recettes:{0}", + "ValuePremiered": "Avant premi\u00e8re {0}", + "ValuePremieres": "Acteurs principaux {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studios: {0}", + "ValueStatus": "Etat: {0}", + "ValueSpecialEpisodeName": "Sp\u00e9cial - {0}", + "LabelLimit": "Limite :", + "ValueLinks": "Liens : {0}", + "HeaderPeople": "Personnes", "HeaderCastAndCrew": "Distribution et \u00e9quipe", - "MessageGamePluginRequired": "N\u00e9cessite l'installation du plugin GameBrowser", "ValueArtist": "Artiste : {0}", "ValueArtists": "Artistes : {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Marque de l'appareil photo", "MediaInfoCameraModel": "Mod\u00e8le de l'appareil photo", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Vitesse d'opturation", "MediaInfoSoftware": "Logiciel", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "Si vous aimez {0}, essayez ceci..", + "HeaderPlotKeywords": "afficher les mots cl\u00e9s", "HeaderMovies": "Films", "HeaderAlbums": "Albums", "HeaderGames": "Jeux", - "HeaderConnectionFailure": "Erreur de connexion", "HeaderBooks": "Livres", - "MessageUnableToConnectToServer": "Nous sommes dans l'impossibilit\u00e9 de nous connecter au serveur s\u00e9lectionn\u00e9. Veuillez v\u00e9rifier qu'il est bien d\u00e9marr\u00e9 et r\u00e9essayez.", - "MessageUnsetContentHelp": "Le contenu sera affich\u00e9 sous forme de r\u00e9pertoires. Pour un r\u00e9sultat optimal, utilisez le gestionnaire de m\u00e9tadonn\u00e9es pour d\u00e9finir le type de contenu des sous-r\u00e9pertoires.", + "HeaderEpisodes": "\u00c9pisodes", "HeaderSeasons": "Saisons", "HeaderTracks": "Pistes", "HeaderItems": "El\u00e9ments", @@ -653,153 +632,178 @@ "ButtonFullReview": "Revue comp\u00e8te", "ValueAsRole": "alias {0}", "ValueGuestStar": "R\u00f4le principal", - "HeaderInviteGuest": "Inviter une personne", "MediaInfoSize": "Taille", "MediaInfoPath": "Chemin", - "MessageConnectAccountRequiredToInviteGuest": "Vous devez d'abord lier votre compte Emby \u00e0 ce serveur avant de pouvoir accueillir des invit\u00e9s.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Conteneur", "MediaInfoDefault": "D\u00e9faut", "MediaInfoForced": "Forc\u00e9", - "HeaderSettings": "Param\u00e8tres", "MediaInfoExternal": "Externe", - "OptionAutomaticallySyncNewContent": "Synchroniser automatiquement le nouveau contenu", "MediaInfoTimestamp": "Rep\u00e9rage temps", - "OptionAutomaticallySyncNewContentHelp": "Les nouveaux contenus ajout\u00e9s \u00e0 cette cat\u00e9gorie seront automatiquement synchronis\u00e9s avec l'appareil.", "MediaInfoPixelFormat": "Format de pixel", - "OptionSyncUnwatchedVideosOnly": "Synchroniser seulement les vid\u00e9os non lues.", "MediaInfoBitDepth": "Profondeur en Bit", - "OptionSyncUnwatchedVideosOnlyHelp": "Seulement les vid\u00e9os non lus seront synchronis\u00e9es et seront supprim\u00e9es du p\u00e9riph\u00e9rique au fur et \u00e0 mesure qu'elles sont lus.", "MediaInfoSampleRate": "D\u00e9bit \u00e9chantillon", - "ButtonSync": "Sync", "MediaInfoBitrate": "D\u00e9bit", "MediaInfoChannels": "Cha\u00eenes", "MediaInfoLayout": "R\u00e9partition", "MediaInfoLanguage": "Langue", - "ButtonUnlockPrice": "D\u00e9verrouiller {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profil", "MediaInfoLevel": "Niveau", - "HeaderSaySomethingLike": "Dites quelque chose...", "MediaInfoAspectRatio": "Ratio d'aspect original", "MediaInfoResolution": "R\u00e9solution", "MediaInfoAnamorphic": "Anamorphique", - "ButtonTryAgain": "Veuillez r\u00e9essayer", "MediaInfoInterlaced": "Entrelac\u00e9", "MediaInfoFramerate": "Images par seconde", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "Vous avez dit...", "MediaInfoStreamTypeData": "Donn\u00e9es", "MediaInfoStreamTypeVideo": "Vid\u00e9o", "MediaInfoStreamTypeSubtitle": "Sous-titre", - "MessageWeDidntRecognizeCommand": "D\u00e9sol\u00e9, cette commande n'a pas \u00e9t\u00e9 reconnue.", "MediaInfoStreamTypeEmbeddedImage": "Image am\u00e9lior\u00e9e", "MediaInfoRefFrames": "Image de r\u00e9f\u00e9rence", - "MessageIfYouBlockedVoice": "Si vous avez supprim\u00e9 l'acc\u00e8s par commande vocale \u00e0 l'application, vous devrez reconfigurer avant de r\u00e9essayer.", - "MessageNoItemsFound": "Aucun \u00e9l\u00e9ment trouv\u00e9", + "TabPlayback": "Lecture", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "HeaderSelectCustomIntrosPath": "Choisir le chemin des intros personnalis\u00e9es", + "HeaderRateAndReview": "Noter et commenter", + "HeaderThankYou": "Merci", + "MessageThankYouForYourReview": "Merci pour votre commentaire.", + "LabelYourRating": "Votre note :", + "LabelFullReview": "Revue compl\u00e8te :", + "LabelShortRatingDescription": "Evaluation courte:", + "OptionIRecommendThisItem": "Je recommande cet article", + "WebClientTourContent": "Voir les m\u00e9dias ajout\u00e9s r\u00e9cemment, les prochains \u00e9pisodes et bien plus. Les cercles verts indiquent le nombre d'\u00e9l\u00e9ments que vous n'avez pas vu.", + "WebClientTourMovies": "Lire les films, bandes-annonces et plus depuis n'importe quel appareil avec un navigateur Web", + "WebClientTourMouseOver": "Laisser la souris au dessus des posters pour un acc\u00e8s rapide aux informations essentiels", + "WebClientTourTapHold": "Maintenir cliqu\u00e9 ou faire un clic droit sur n'importe quel poster pour le menu contextuel", + "WebClientTourMetadataManager": "Cliquer sur modifier pour ouvrir l'\u00e9diteur de m\u00e9dadonn\u00e9es", + "WebClientTourPlaylists": "Cr\u00e9ez facilement des listes de lectures et des mixes instantan\u00e9s, et jouez les sur n'importe quel p\u00e9riph\u00e9rique", + "WebClientTourCollections": "Cr\u00e9ez des collections de films pour les regrouper les \u00e9l\u00e9ments d'un coffret", + "WebClientTourUserPreferences1": "Les pr\u00e9f\u00e9rences utilisateur vous permettent de personnaliser la pr\u00e9sentation de la biblioth\u00e8que pour toutes les applications Emby.", + "WebClientTourUserPreferences2": "Configurez vos pr\u00e9f\u00e9rences audio et sous-titres une fois pour toutes les applications Emby.", + "WebClientTourUserPreferences3": "Modelez la page d'accueil du client web \u00e0 votre convenance", + "WebClientTourUserPreferences4": "Configurer les images de fonds, les th\u00e8mes musicaux et les lecteurs externes", + "WebClientTourMobile1": "Le client web fonctionne parfaitement sur les smartphones et les tablettes...", + "WebClientTourMobile2": "et contr\u00f4lez facilement les autres appareils et applications Emby", + "WebClientTourMySync": "Synchronisez vos m\u00e9dias personnels avec vos appareils pour les visionner en mode d\u00e9connect\u00e9.", + "MessageEnjoyYourStay": "Amusez-vous bien !", + "DashboardTourDashboard": "Le tableau de bord du serveur vous permet de g\u00e9rer votre serveur et vos utilisateurs. Vous saurez toujours qui fait quoi et o\u00f9.", + "DashboardTourHelp": "L'aide contextuelle de l'application permet d'ouvrir les pages du wiki relatives au contenu affich\u00e9.", + "DashboardTourUsers": "Cr\u00e9ez facilement des comptes utilisateurs pour vos amis et votre famille, chacun avec ses propres droits, biblioth\u00e8ques accessibles, contr\u00f4le parental et plus encore.", + "DashboardTourCinemaMode": "Le mode cin\u00e9ma apporte l'exp\u00e9rience du cin\u00e9ma directement dans votre salon gr\u00e2ce \u00e0 la possibilit\u00e9 de lire les bandes-annonces et les introductions personnalis\u00e9es avant le programme principal.", + "DashboardTourChapters": "Autorisez la g\u00e9n\u00e9ration des images de chapitres de vos vid\u00e9os pour une pr\u00e9sentation plus agr\u00e9able pendant la navigation.", + "DashboardTourSubtitles": "T\u00e9l\u00e9chargez automatiquement les sous-titres de vos vid\u00e9os dans n'importe quelle langue.", + "DashboardTourPlugins": "Installez des plugins : cha\u00eenes vid\u00e9os internet, TV en direct, analyseur de m\u00e9tadonn\u00e9es, et plus encore.", + "DashboardTourNotifications": "Envoyez automatiquement les notifications d'\u00e9v\u00e9nements du serveur vers vos appareils mobiles, vos adresses email et plus encore.", + "DashboardTourScheduledTasks": "G\u00e9rez facilement les op\u00e9rations longues des taches planifi\u00e9es. Sp\u00e9cifiez quand et \u00e0 quelle fr\u00e9quence elles doivent se lancer.", + "DashboardTourMobile": "Le tableau de bord du serveur Emby fonctionne tr\u00e8s bien sur smartphones et tablettes. G\u00e9rez votre serveur depuis la paume de votre main depuis n'importe o\u00f9, n'importe quand.", + "DashboardTourSync": "Synchronisez vos m\u00e9dias personnels avec vos appareils pour les visionner en mode d\u00e9connect\u00e9.", + "MessageRefreshQueued": "Demande d'actualisation en file d'attente", + "TabDevices": "Appareils", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "Derni\u00e8rement utilis\u00e9 par {0}", + "HeaderDeleteDevice": "Supprimer l'appareil", + "DeleteDeviceConfirmation": "\u00cates-vous s\u00fbr de vouloir supprimer cet appareil ? La prochaine fois qu'un utilisateur se connecte depuis cet appareil, il sera ajout\u00e9 \u00e0 nouveau.", + "LabelEnableCameraUploadFor": "Autoriser l'upload du contenu de l'appareil photo pour:", + "HeaderSelectUploadPath": "S\u00e9lectionner le r\u00e9pertoire d'upload", + "LabelEnableCameraUploadForHelp": "Les uploads se feront automatiquement en t\u00e2che de fond apr\u00e8s la connexion \u00e0 Emby.", + "ErrorMessageStartHourGreaterThanEnd": "La date de fin doit \u00eatre post\u00e9rieure \u00e0 la date de d\u00e9but.", + "ButtonLibraryAccess": "Acc\u00e8s \u00e0 la biblioth\u00e8que", + "ButtonParentalControl": "Contr\u00f4le parental", + "HeaderInvitationSent": "Invitation envoy\u00e9e", + "MessageInvitationSentToUser": "Un mail a \u00e9t\u00e9 envoy\u00e9 \u00e0 {0} avec votre invitation de partage.", + "MessageInvitationSentToNewUser": "Un email d'invitation \u00e0 Emby a \u00e9t\u00e9 envoy\u00e9 \u00e0 {0}.", + "HeaderConnectionFailure": "Erreur de connexion", + "MessageUnableToConnectToServer": "Nous sommes dans l'impossibilit\u00e9 de nous connecter au serveur s\u00e9lectionn\u00e9. Veuillez v\u00e9rifier qu'il est bien d\u00e9marr\u00e9 et r\u00e9essayez.", "ButtonSelectServer": "S\u00e9lectionner le serveur", - "ButtonManageServer": "G\u00e9rer le serveur", "MessagePluginConfigurationRequiresLocalAccess": "Pour configurer ce plugin, veuillez vous connecter \u00e0 votre serveur local directement.", - "ButtonPreferences": "Pr\u00e9f\u00e9rences", - "ButtonViewArtist": "Voir l'artiste", - "ButtonViewAlbum": "Voir l'album", "MessageLoggedOutParentalControl": "L'acc\u00e8s est actuellement limit\u00e9. Veuillez r\u00e9essayer plus tard", - "EmbyIntroDownloadMessage": "Pour t\u00e9l\u00e9charger et installer le serveur Emby, visitez {0}.", - "LabelProfile": "Profil :", + "DefaultErrorMessage": "Il y a eu une erreur lors de l'ex\u00e9cution de la requ\u00eate. Veuillez r\u00e9essayer plus tard.", + "ButtonAccept": "Accepter", + "ButtonReject": "Rejeter", + "HeaderForgotPassword": "Mot de passe oubli\u00e9", + "MessageContactAdminToResetPassword": "Veuillez contacter votre administrateur syst\u00e8me pour r\u00e9initialiser votre mot de passe.", + "MessageForgotPasswordInNetworkRequired": "Veuillez r\u00e9essayer \u00e0 partir de votre r\u00e9seau local pour d\u00e9marrer la proc\u00e9dure de r\u00e9initialisation du mot de passe.", + "MessageForgotPasswordFileCreated": "Le fichier suivant a \u00e9t\u00e9 cr\u00e9\u00e9 sur votre serveur et contient les instructions et la proc\u00e9dure \u00e0 suivre.", + "MessageForgotPasswordFileExpiration": "Le code PIN de r\u00e9initialisation expirera \u00e0 {0}.", + "MessageInvalidForgotPasswordPin": "Le code PIN est invalide ou a expir\u00e9. Veuillez r\u00e9essayer.", + "MessagePasswordResetForUsers": "Les mot de passes ont \u00e9t\u00e9 supprim\u00e9s pour les utilisateurs suivants :", + "HeaderInviteGuest": "Inviter une personne", + "ButtonLinkMyEmbyAccount": "Lier mon compte maintenant", + "MessageConnectAccountRequiredToInviteGuest": "Vous devez d'abord lier votre compte Emby \u00e0 ce serveur avant de pouvoir accueillir des invit\u00e9s.", + "ButtonSync": "Sync", "SyncMedia": "Sync. les m\u00e9dias", - "ButtonNewServer": "Nouveau serveur", - "LabelBitrateMbps": "D\u00e9bit (Mbps) :", "HeaderCancelSyncJob": "Annuler la sync.", "CancelSyncJobConfirmation": "L'annulation d'une t\u00e2che de synchronisation provoquera la suppression des m\u00e9dias synchronis\u00e9s lors la prochaine ex\u00e9cution de la synchronisation. Etes-vous s\u00fbr de vouloir continuer ?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Veuillez s\u00e9lectionner un p\u00e9riph\u00e9rique avec lequel se synchroniser.", - "ButtonSignInWithConnect": "Se connecter avec Emby Connect", "MessageSyncJobCreated": "Job de synchronisation cr\u00e9\u00e9.", "LabelSyncTo": "Synchronis\u00e9 avec:", - "LabelLimit": "Limite :", "LabelSyncJobName": "Nom du job de synchronisation:", - "HeaderNewServer": "Nouveau serveur", - "ValueLinks": "Liens : {0}", "LabelQuality": "Qualit\u00e9:", - "MyDevice": "Mon appareil", - "DefaultErrorMessage": "Il y a eu une erreur lors de l'ex\u00e9cution de la requ\u00eate. Veuillez r\u00e9essayer plus tard.", - "ButtonRemote": "T\u00e9l\u00e9commande", - "ButtonAccept": "Accepter", - "ButtonReject": "Rejeter", - "DashboardTourDashboard": "Le tableau de bord du serveur vous permet de g\u00e9rer votre serveur et vos utilisateurs. Vous saurez toujours qui fait quoi et o\u00f9.", - "DashboardTourUsers": "Cr\u00e9ez facilement des comptes utilisateurs pour vos amis et votre famille, chacun avec ses propres droits, biblioth\u00e8ques accessibles, contr\u00f4le parental et plus encore.", - "DashboardTourCinemaMode": "Le mode cin\u00e9ma apporte l'exp\u00e9rience du cin\u00e9ma directement dans votre salon gr\u00e2ce \u00e0 la possibilit\u00e9 de lire les bandes-annonces et les introductions personnalis\u00e9es avant le programme principal.", - "DashboardTourChapters": "Autorisez la g\u00e9n\u00e9ration des images de chapitres de vos vid\u00e9os pour une pr\u00e9sentation plus agr\u00e9able pendant la navigation.", - "DashboardTourSubtitles": "T\u00e9l\u00e9chargez automatiquement les sous-titres de vos vid\u00e9os dans n'importe quelle langue.", - "DashboardTourPlugins": "Installez des plugins : cha\u00eenes vid\u00e9os internet, TV en direct, analyseur de m\u00e9tadonn\u00e9es, et plus encore.", - "DashboardTourNotifications": "Envoyez automatiquement les notifications d'\u00e9v\u00e9nements du serveur vers vos appareils mobiles, vos adresses email et plus encore.", - "DashboardTourScheduledTasks": "G\u00e9rez facilement les op\u00e9rations longues des taches planifi\u00e9es. Sp\u00e9cifiez quand et \u00e0 quelle fr\u00e9quence elles doivent se lancer.", - "DashboardTourMobile": "Le tableau de bord du serveur Emby fonctionne tr\u00e8s bien sur smartphones et tablettes. G\u00e9rez votre serveur depuis la paume de votre main depuis n'importe o\u00f9, n'importe quand.", - "HeaderEpisodes": "\u00c9pisodes", - "HeaderSelectCustomIntrosPath": "Choisir le chemin des intros personnalis\u00e9es", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Param\u00e8tres", + "OptionAutomaticallySyncNewContent": "Synchroniser automatiquement le nouveau contenu", + "OptionAutomaticallySyncNewContentHelp": "Les nouveaux contenus ajout\u00e9s \u00e0 cette cat\u00e9gorie seront automatiquement synchronis\u00e9s avec l'appareil.", + "OptionSyncUnwatchedVideosOnly": "Synchroniser seulement les vid\u00e9os non lues.", + "OptionSyncUnwatchedVideosOnlyHelp": "Seulement les vid\u00e9os non lus seront synchronis\u00e9es et seront supprim\u00e9es du p\u00e9riph\u00e9rique au fur et \u00e0 mesure qu'elles sont lus.", + "LabelItemLimit": "Maximum d'\u00e9l\u00e9ments :", + "LabelItemLimitHelp": "Optionnel : d\u00e9finit le nombre maximum d'\u00e9l\u00e9ments qui seront synchronis\u00e9s.", + "MessageBookPluginRequired": "N\u00e9cessite l'installation du plugin Bookshelf", + "MessageGamePluginRequired": "N\u00e9cessite l'installation du plugin GameBrowser", + "MessageUnsetContentHelp": "Le contenu sera affich\u00e9 sous forme de r\u00e9pertoires. Pour un r\u00e9sultat optimal, utilisez le gestionnaire de m\u00e9tadonn\u00e9es pour d\u00e9finir le type de contenu des sous-r\u00e9pertoires.", "SyncJobItemStatusQueued": "Mis en file d'attente", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Conversion en cours", "SyncJobItemStatusTransferring": "Transfert en cours", "SyncJobItemStatusSynced": "Synchronis\u00e9", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Echou\u00e9", - "TabPlayback": "Lecture", "SyncJobItemStatusRemovedFromDevice": "Supprim\u00e9 de l'appareil", "SyncJobItemStatusCancelled": "Annul\u00e9", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profil :", + "LabelBitrateMbps": "D\u00e9bit (Mbps) :", + "EmbyIntroDownloadMessage": "Pour t\u00e9l\u00e9charger et installer le serveur Emby, visitez {0}.", + "ButtonNewServer": "Nouveau serveur", + "ButtonSignInWithConnect": "Se connecter avec Emby Connect", + "HeaderNewServer": "Nouveau serveur", + "MyDevice": "Mon appareil", + "ButtonRemote": "T\u00e9l\u00e9commande", + "TabInfo": "Info", + "TabCast": "Distribution", + "TabScenes": "Sc\u00e8nes", "HeaderUnlockApp": "D\u00e9verrouiller l'App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "D\u00e9verrouillez toutes les fonctionnalit\u00e9s de l'app en un seul petit achat.", "MessageUnlockAppWithPurchaseOrSupporter": "D\u00e9verrouillez toutes les fonctionnalit\u00e9s de l'app en un seul petit achat, ou en vous connectant avec un compte de supporteur actif d'Emby.", "MessageUnlockAppWithSupporter": "D\u00e9verrouillez toutes les fonctionnalit\u00e9s de l'app en vous connectant avec un compte de supporteur actif d'Emby.", "MessageToValidateSupporter": "Si vos poss\u00e9dez un compte actif de supporteur Emby, connectez-vous simplement avec la connexion Wifi de votre r\u00e9seau domestique.", "MessagePaymentServicesUnavailable": "Les services de paiement sont actuellement indisponibles. Merci de r\u00e9essayer ult\u00e9rieurement", "ButtonUnlockWithSupporter": "Connectez-vous avec votre compte de supporteur Emby.", - "HeaderForgotPassword": "Mot de passe oubli\u00e9", - "MessageContactAdminToResetPassword": "Veuillez contacter votre administrateur syst\u00e8me pour r\u00e9initialiser votre mot de passe.", - "MessageForgotPasswordInNetworkRequired": "Veuillez r\u00e9essayer \u00e0 partir de votre r\u00e9seau local pour d\u00e9marrer la proc\u00e9dure de r\u00e9initialisation du mot de passe.", "MessagePleaseSignInLocalNetwork": "Avant de continuer, veuillez vous assurer que vous \u00eates connect\u00e9s sur votre r\u00e9seau local en Wifi ou LAN.", - "MessageForgotPasswordFileCreated": "Le fichier suivant a \u00e9t\u00e9 cr\u00e9\u00e9 sur votre serveur et contient les instructions et la proc\u00e9dure \u00e0 suivre.", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation envoy\u00e9e", - "MessageForgotPasswordFileExpiration": "Le code PIN de r\u00e9initialisation expirera \u00e0 {0}.", - "MessageInvitationSentToUser": "Un mail a \u00e9t\u00e9 envoy\u00e9 \u00e0 {0} avec votre invitation de partage.", - "MessageInvalidForgotPasswordPin": "Le code PIN est invalide ou a expir\u00e9. Veuillez r\u00e9essayer.", "ButtonUnlockWithPurchase": "D\u00e9verrouillez par un achat.", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "Un email d'invitation \u00e0 Emby a \u00e9t\u00e9 envoy\u00e9 \u00e0 {0}.", - "MessagePasswordResetForUsers": "Les mot de passes ont \u00e9t\u00e9 supprim\u00e9s pour les utilisateurs suivants :", + "ButtonUnlockPrice": "D\u00e9verrouiller {0}", "MessageLiveTvGuideRequiresUnlock": "Le Guide TV en direct est actuellement limit\u00e9 \u00e0 {0} cha\u00eenes. Cliquez sur le bouton d\u00e9verrouiller pour d\u00e9couvrir comment profiter de l'ensemble.", - "WebClientTourContent": "Voir les m\u00e9dias ajout\u00e9s r\u00e9cemment, les prochains \u00e9pisodes et bien plus. Les cercles verts indiquent le nombre d'\u00e9l\u00e9ments que vous n'avez pas vu.", - "HeaderPeople": "Personnes", "OptionEnableFullscreen": "Activer le plein \u00e9cran", - "WebClientTourMovies": "Lire les films, bandes-annonces et plus depuis n'importe quel appareil avec un navigateur Web", - "WebClientTourMouseOver": "Laisser la souris au dessus des posters pour un acc\u00e8s rapide aux informations essentiels", - "HeaderRateAndReview": "Noter et commenter", - "ErrorMessageStartHourGreaterThanEnd": "La date de fin doit \u00eatre post\u00e9rieure \u00e0 la date de d\u00e9but.", - "WebClientTourTapHold": "Maintenir cliqu\u00e9 ou faire un clic droit sur n'importe quel poster pour le menu contextuel", - "HeaderThankYou": "Merci", - "TabInfo": "Info", "ButtonServer": "Serveur", - "WebClientTourMetadataManager": "Cliquer sur modifier pour ouvrir l'\u00e9diteur de m\u00e9dadonn\u00e9es", - "MessageThankYouForYourReview": "Merci pour votre commentaire.", - "WebClientTourPlaylists": "Cr\u00e9ez facilement des listes de lectures et des mixes instantan\u00e9s, et jouez les sur n'importe quel p\u00e9riph\u00e9rique", - "LabelYourRating": "Votre note :", - "WebClientTourCollections": "Cr\u00e9ez des collections de films pour les regrouper les \u00e9l\u00e9ments d'un coffret", - "LabelFullReview": "Revue compl\u00e8te :", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "Les pr\u00e9f\u00e9rences utilisateur vous permettent de personnaliser la pr\u00e9sentation de la biblioth\u00e8que pour toutes les applications Emby.", - "LabelShortRatingDescription": "Evaluation courte:", - "WebClientTourUserPreferences2": "Configurez vos pr\u00e9f\u00e9rences audio et sous-titres une fois pour toutes les applications Emby.", - "OptionIRecommendThisItem": "Je recommande cet article", - "ButtonLinkMyEmbyAccount": "Lier mon compte maintenant", - "WebClientTourUserPreferences3": "Modelez la page d'accueil du client web \u00e0 votre convenance", "HeaderLibrary": "Biblioth\u00e8que", - "WebClientTourUserPreferences4": "Configurer les images de fonds, les th\u00e8mes musicaux et les lecteurs externes", - "WebClientTourMobile1": "Le client web fonctionne parfaitement sur les smartphones et les tablettes...", - "WebClientTourMobile2": "et contr\u00f4lez facilement les autres appareils et applications Emby", "HeaderMedia": "M\u00e9dia", - "MessageEnjoyYourStay": "Amusez-vous bien !" + "ButtonInbox": "Bo\u00eete de r\u00e9ception", + "HeaderAdvanced": "Avanc\u00e9", + "HeaderGroupVersions": "Versions des groupes", + "HeaderSaySomethingLike": "Dites quelque chose...", + "ButtonTryAgain": "Veuillez r\u00e9essayer", + "HeaderYouSaid": "Vous avez dit...", + "MessageWeDidntRecognizeCommand": "D\u00e9sol\u00e9, cette commande n'a pas \u00e9t\u00e9 reconnue.", + "MessageIfYouBlockedVoice": "Si vous avez supprim\u00e9 l'acc\u00e8s par commande vocale \u00e0 l'application, vous devrez reconfigurer avant de r\u00e9essayer.", + "MessageNoItemsFound": "Aucun \u00e9l\u00e9ment trouv\u00e9", + "ButtonManageServer": "G\u00e9rer le serveur", + "ButtonPreferences": "Pr\u00e9f\u00e9rences", + "ButtonViewArtist": "Voir l'artiste", + "ButtonViewAlbum": "Voir l'album", + "ErrorMessagePasswordNotMatchConfirm": "Le mot de passe et sa confirmation doivent correspondre.", + "ErrorMessageUsernameInUse": "Ce nom d'utilisateur est d\u00e9j\u00e0 utilis\u00e9. Veuillez en choisir un autre et r\u00e9essayer.", + "ErrorMessageEmailInUse": "Cette adresse email est d\u00e9j\u00e0 utilis\u00e9e. Veuillez en saisir une autre et r\u00e9essayer, ou bien utiliser la fonction du mot de passe oubli\u00e9.", + "MessageThankYouForConnectSignUp": "Merci de vous inscrire sur Emby Connect. Un email va vous \u00eatre envoy\u00e9, avec les instructions pour confirmer votre nouveau compte. Merci de confirmer ce compte puis de revenir \u00e0 cet endroit pour vous connecter.", + "HeaderShare": "Partager", + "ButtonShareHelp": "Partager un page web contenant les informations sur les m\u00e9dias \u00e0 travers les m\u00e9dias sociaux. Les fichiers de m\u00e9dias ne sont jamais partag\u00e9s publiquement.", + "ButtonShare": "Partager", + "HeaderConfirm": "Confirmer" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/gsw.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/gsw.json index aaf52528c2..47a1ae7117 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/gsw.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/gsw.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Erleb di ganze Bonis", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Gmachti Spende ch\u00f6nt jederziit abbroche werde mithilf vo dim PayPal Account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Mitteilige", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "User", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Serie", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(fehlgschlage)", + "ButtonHelp": "Help", + "ButtonSave": "Speichere", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Zur Sammlig hinzue f\u00fcege", + "NewCollectionNameExample": "Biispell: Star Wars Sammlig", + "OptionSearchForInternetMetadata": "Dursuechs Internet nach Bilder und Metadate", + "LabelSelectCollection": "W\u00e4hl Sammlig:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "En Supporter-Mitgliedschaft git dir zues\u00e4tzlichi M\u00f6glichkeite wie de Zuegriff uf Synchronisierig, Premium Plugins, Internet Kan\u00e4l und meh. {0}Meh erfahre{1}", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Mach d'Tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Gr\u00e4t Zuegriff", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Biispell: Star Wars Sammlig", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Dursuechs Internet nach Bilder und Metadate", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "N\u00f6chsti Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Vorherigi Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "En Supporter-Mitgliedschaft git dir zues\u00e4tzlichi M\u00f6glichkeite wie de Zuegriff uf Synchronisierig, Premium Plugins, Internet Kan\u00e4l und meh. {0}Meh erfahre{1}", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episode", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Erleb di ganze Bonis", - "ButtonHome": "Home", + "OptionSunday": "Sonntig", + "OptionMonday": "M\u00e4ntig", + "OptionTuesday": "Tsischtig", + "OptionWednesday": "Mittwoch", + "OptionThursday": "Donnstig", + "OptionFriday": "Friitig", + "OptionSaturday": "Samstig", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Spell de Trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Mitteilige", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Fortsetze", + "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.", - "HeaderUsers": "User", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Fortsetze", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albene", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "OK", + "ButtonCancel": "Abbreche", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Musigvideos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Laufziit", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Ver\u00f6ffentlichigs Datum", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Beendent", + "OptionContinuing": "Fortlaufend", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Gmachti Spende ch\u00f6nt jederziit abbroche werde mithilf vo dim PayPal Account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Altersfriigab", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Laufziit", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "OK", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Abbreche", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadate", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Gr\u00e4t Zuegriff", + "TabAdvanced": "Erwiitert", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Vollbeld", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Vorherigi Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "N\u00f6chsti Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Film", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Film", - "LabelCollection": "Collection", - "FolderTypeMusic": "Musig", - "FolderTypeAdultVideos": "Erwachseni Film", - "HeaderAddToCollection": "Zur Sammlig hinzue f\u00fcege", - "FolderTypePhotos": "F\u00f6teli", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Musigvideos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Altersfriigab", - "FolderTypeHomeVideos": "Heimvideos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "B\u00fcecher", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Erwiitert", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Fortlaufend", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Beendent", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Select", + "ButtonNew": "Neu", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "W\u00e4hl Sammlig:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sonntig", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "M\u00e4ntig", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tsischtig", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Mittwoch", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Donnstig", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friitig", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Samstig", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(fehlgschlage)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Speichere", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Serie", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Neu", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadate", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Film", + "FolderTypeMusic": "Musig", + "FolderTypeAdultVideos": "Erwachseni Film", + "FolderTypePhotos": "F\u00f6teli", + "FolderTypeMusicVideos": "Musigvideos", + "FolderTypeHomeVideos": "Heimvideos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "B\u00fcecher", + "FolderTypeTvShows": "TV", + "TabMovies": "Film", + "TabSeries": "Series", + "TabEpisodes": "Episode", + "TabTrailers": "Trailers", + "TabGames": "Games", + "TabAlbums": "Albene", + "TabSongs": "Songs", + "TabMusicVideos": "Musigvideos", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Mach d'Tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Mitteilige", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodene", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Mitteilige", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodene", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 47f63c0a28..8e1e90e563 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u05d4\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e0\u05e9\u05de\u05e8\u05d5.", + "AddUser": "\u05d4\u05d5\u05e1\u05e3 \u05de\u05e9\u05ea\u05de\u05e9", + "Users": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", + "Delete": "\u05de\u05d7\u05e7", + "Administrator": "\u05de\u05e0\u05d4\u05dc", + "Password": "\u05e1\u05d9\u05e1\u05de\u05d0", + "DeleteImage": "\u05de\u05d7\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05de\u05d7\u05d5\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4 \u05d6\u05d5?", + "FileReadCancelled": "\u05e7\u05e8\u05d9\u05d0\u05ea \u05d4\u05e7\u05d5\u05d1\u05e5 \u05d1\u05d5\u05d8\u05dc\u05d4.", + "FileNotFound": "\u05e7\u05d5\u05d1\u05e5 \u05dc\u05d0 \u05e0\u05de\u05e6\u05d0.", + "FileReadError": "\u05d7\u05dc\u05d4 \u05e9\u05d2\u05d9\u05d0\u05d4 \u05d1\u05e7\u05e8\u05d9\u05d0\u05ea \u05d4\u05e7\u05d5\u05d1\u05e5.", + "DeleteUser": "\u05de\u05d7\u05e7 \u05de\u05e9\u05ea\u05de\u05e9", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05d0\u05d5\u05e4\u05e1\u05d4.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d0\u05e4\u05e1 \u05d0\u05ea \u05d4\u05e1\u05d9\u05e1\u05de\u05d0?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05e0\u05e9\u05de\u05e8\u05d4.", + "PasswordMatchError": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05d5\u05d0\u05d9\u05de\u05d5\u05ea \u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05e6\u05e8\u05d9\u05db\u05d5\u05ea \u05dc\u05d4\u05d9\u05d5\u05ea \u05d6\u05d4\u05d5\u05ea.", + "OptionRelease": "\u05e9\u05d9\u05d7\u05e8\u05d5\u05e8 \u05e8\u05e9\u05de\u05d9", + "OptionBeta": "\u05d1\u05d8\u05d0", + "OptionDev": "\u05de\u05e4\u05ea\u05d7 (\u05dc\u05d0 \u05d9\u05e6\u05d9\u05d1)", + "UninstallPluginHeader": "\u05d4\u05e1\u05e8 \u05ea\u05d5\u05e1\u05e3", + "UninstallPluginConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d4\u05e1\u05d9\u05e8 {0}?", + "NoPluginConfigurationMessage": "\u05dc\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d6\u05d4 \u05d0\u05d9\u05df \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05de\u05d9\u05d5\u05d7\u05d3\u05d5\u05ea.", + "NoPluginsInstalledMessage": "\u05d0\u05d9\u05df \u05dc\u05da \u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05de\u05d5\u05ea\u05e7\u05e0\u05d9\u05dd.", + "BrowsePluginCatalogMessage": "\u05e2\u05d1\u05d5\u05e8 \u05dc\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05dc\u05e8\u05d0\u05d5\u05ea \u05d0\u05d9\u05dc\u05d5 \u05d6\u05de\u05d9\u05e0\u05d9\u05dd.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "\u05e9\u05de\u05d5\u05e8", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "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", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "\u05d4\u05ea\u05d7\u05e8 \u05de\u05d7\u05d3\u05e9", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0 :\u05d0\u05d5\u05e1\u05e3 \u05de\u05dc\u05d7\u05de\u05ea \u05d4\u05db\u05d5\u05db\u05d1\u05d9\u05dd", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "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", - "ButtonUpdateNow": "\u05e2\u05d3\u05db\u05df \u05e2\u05db\u05e9\u05d9\u05d5", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "\u05e0\u05d2\u05df", + "ButtonEdit": "\u05e2\u05e8\u05d5\u05da", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "\u05db\u05dc \u05d4\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "\u05d4\u05d5\u05e1\u05e3", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "\u05db\u05d1\u05d5\u05d9", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "\u05e4\u05d5\u05e2\u05dc", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "\u05e9\u05d9\u05d7\u05e8\u05d5\u05e8 \u05e8\u05e9\u05de\u05d9", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "\u05d1\u05d8\u05d0", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "\u05de\u05e4\u05ea\u05d7 (\u05dc\u05d0 \u05d9\u05e6\u05d9\u05d1)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "\u05d4\u05e1\u05e8 \u05ea\u05d5\u05e1\u05e3", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d4\u05e1\u05d9\u05e8 {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "\u05dc\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d6\u05d4 \u05d0\u05d9\u05df \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05de\u05d9\u05d5\u05d7\u05d3\u05d5\u05ea.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "\u05d0\u05d9\u05df \u05dc\u05da \u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05de\u05d5\u05ea\u05e7\u05e0\u05d9\u05dd.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "\u05e2\u05d1\u05d5\u05e8 \u05dc\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05dc\u05e8\u05d0\u05d5\u05ea \u05d0\u05d9\u05dc\u05d5 \u05d6\u05de\u05d9\u05e0\u05d9\u05dd.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "\u05e8\u05d0\u05e9\u05d5\u05df", + "OptionMonday": "\u05e9\u05e0\u05d9", + "OptionTuesday": "\u05e9\u05dc\u05d9\u05e9\u05d9", + "OptionWednesday": "\u05e8\u05d1\u05d9\u05e2\u05d9", + "OptionThursday": "\u05d7\u05de\u05d9\u05e9\u05d9", + "OptionFriday": "\u05e9\u05d9\u05e9\u05d9", + "OptionSaturday": "\u05e9\u05d1\u05ea", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05d3\u05d9\u05d4", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "\u05e1\u05e6\u05e0\u05d5\u05ea", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u05d4\u05de\u05e9\u05da", + "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": "\u05d4\u05d5\u05e1\u05e3", + "ButtonRemove": "\u05d4\u05e1\u05e8", "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.", - "HeaderUsers": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "\u05d4\u05de\u05e9\u05da", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "\u05e2\u05d3\u05db\u05df \u05e2\u05db\u05e9\u05d9\u05d5", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u05e9\u05d9\u05e8\u05d9\u05dd", - "TabAlbums": "\u05d0\u05dc\u05d1\u05d5\u05de\u05d9\u05dd", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "\u05d0\u05e9\u05e8", + "ButtonCancel": "\u05d1\u05d8\u05dc", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "\u05e1\u05e6\u05e0\u05d5\u05ea", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "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": "\u05e9\u05dd", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd", + "HeaderMediaFolders": "\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05d3\u05d9\u05d4", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "\u05de\u05e9\u05da", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "\u05d4\u05e1\u05ea\u05d9\u05d9\u05dd", + "OptionContinuing": "\u05de\u05de\u05e9\u05d9\u05da", + "OptionOff": "\u05db\u05d1\u05d5\u05d9", + "OptionOn": "\u05e4\u05d5\u05e2\u05dc", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d1\u05e7\u05e8\u05ea \u05d4\u05d5\u05e8\u05d9\u05dd", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u05de\u05e9\u05da", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "\u05d4\u05ea\u05d7\u05e8 \u05de\u05d7\u05d3\u05e9", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "\u05d0\u05e9\u05e8", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u05d1\u05d8\u05dc", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "\u05e9\u05e8\u05ea", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "\u05de\u05ea\u05e7\u05d3\u05dd", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "\u05d8\u05e8\u05d9\u05d9\u05dc\u05e8\u05d9\u05dd", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "\u05d4\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e0\u05e9\u05de\u05e8\u05d5.", - "OptionParentalRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d1\u05e7\u05e8\u05ea \u05d4\u05d5\u05e8\u05d9\u05dd", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "\u05d4\u05d5\u05e1\u05e3 \u05de\u05e9\u05ea\u05de\u05e9", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "\u05de\u05d7\u05e7", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "\u05de\u05ea\u05e7\u05d3\u05dd", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "\u05de\u05e0\u05d4\u05dc", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "\u05e1\u05d9\u05e1\u05de\u05d0", - "ButtonNetwork": "Network", - "OptionContinuing": "\u05de\u05de\u05e9\u05d9\u05da", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "\u05d4\u05e1\u05ea\u05d9\u05d9\u05dd", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "\u05d1\u05d7\u05e8", + "ButtonNew": "\u05d7\u05d3\u05e9", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "\u05de\u05d7\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05de\u05d7\u05d5\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4 \u05d6\u05d5?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "\u05e8\u05d0\u05e9\u05d5\u05df", + "LabelName": "\u05e9\u05dd:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "\u05e7\u05e8\u05d9\u05d0\u05ea \u05d4\u05e7\u05d5\u05d1\u05e5 \u05d1\u05d5\u05d8\u05dc\u05d4.", - "OptionMonday": "\u05e9\u05e0\u05d9", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "\u05e7\u05d5\u05d1\u05e5 \u05dc\u05d0 \u05e0\u05de\u05e6\u05d0.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u05e9\u05dc\u05d9\u05e9\u05d9", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "\u05d7\u05dc\u05d4 \u05e9\u05d2\u05d9\u05d0\u05d4 \u05d1\u05e7\u05e8\u05d9\u05d0\u05ea \u05d4\u05e7\u05d5\u05d1\u05e5.", - "HeaderName": "\u05e9\u05dd", - "OptionWednesday": "\u05e8\u05d1\u05d9\u05e2\u05d9", + "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", + "HeaderPasswordReset": "Password Reset", + "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": "\u05e1\u05e8\u05d8\u05d9\u05dd", "OptionCollections": "Collections", - "DeleteUser": "\u05de\u05d7\u05e7 \u05de\u05e9\u05ea\u05de\u05e9", - "OptionThursday": "\u05d7\u05de\u05d9\u05e9\u05d9", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "\u05e9\u05d9\u05e9\u05d9", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "\u05e9\u05d1\u05ea", + "OptionEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", "OptionGames": "Games", - "PasswordResetComplete": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05d0\u05d5\u05e4\u05e1\u05d4.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "\u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d0\u05e4\u05e1 \u05d0\u05ea \u05d4\u05e1\u05d9\u05e1\u05de\u05d0?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05e0\u05e9\u05de\u05e8\u05d4.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05d5\u05d0\u05d9\u05de\u05d5\u05ea \u05d4\u05e1\u05d9\u05e1\u05de\u05d0 \u05e6\u05e8\u05d9\u05db\u05d5\u05ea \u05dc\u05d4\u05d9\u05d5\u05ea \u05d6\u05d4\u05d5\u05ea.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "\u05d1\u05d7\u05e8", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "\u05e9\u05de\u05d5\u05e8", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "\u05de\u05e1\u05e4\u05e8 \u05e2\u05d5\u05e0\u05d4:", - "HeaderChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e4\u05e8\u05e7:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "\u05e9\u05e8\u05ea", - "TabSeries": "\u05e1\u05d3\u05e8\u05d5\u05ea", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "\u05d7\u05d3\u05e9", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u05e9\u05dd:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "\u05d4\u05e1\u05e8", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", + "TabSeries": "\u05e1\u05d3\u05e8\u05d5\u05ea", + "TabEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", + "TabTrailers": "\u05d8\u05e8\u05d9\u05d9\u05dc\u05e8\u05d9\u05dd", + "TabGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd", + "TabAlbums": "\u05d0\u05dc\u05d1\u05d5\u05de\u05d9\u05dd", + "TabSongs": "\u05e9\u05d9\u05e8\u05d9\u05dd", + "TabMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "\u05de\u05d7\u05e7", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "\u05db\u05dc \u05d4\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "\u05e0\u05d2\u05df", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd", - "ButtonEdit": "\u05e2\u05e8\u05d5\u05da", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "\u05de\u05d7\u05e7", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "\u05de\u05d9\u05d3\u05e2", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "\u05de\u05d9\u05d3\u05e2", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 3da9f35f27..69704fb2d8 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Postavke snimljene", + "AddUser": "Dodaj korisnika", + "Users": "Korisnici", + "Delete": "Izbri\u0161i", + "Administrator": "Administrator", + "Password": "Lozinka", + "DeleteImage": "Izbri\u0161i sliku", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Da li ste sigurni da \u017eelite izbrisati ovu sliku?", + "FileReadCancelled": "U\u010ditavanje datoteke je prekinuto.", + "FileNotFound": "Datoteka nije prona\u0111ena.", + "FileReadError": "Prilikom u\u010ditavanja datoteke desila se gre\u0161ka", + "DeleteUser": "Izbri\u0161i korisnika", + "DeleteUserConfirmation": "Da li ste sigurni da \u017eelite izbrisati odabranog korisnika?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "Lozinka je resetirana.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Da li ste sigurni da \u017eelite resetirati lozinku?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Lozinka snimljena.", + "PasswordMatchError": "Lozinka i lozinka potvrde moraju biti identi\u010dne.", + "OptionRelease": "Slu\u017ebeno izdanje", + "OptionBeta": "Beta", + "OptionDev": "Dev (nestabilno)", + "UninstallPluginHeader": "Ukloni dodatak", + "UninstallPluginConfirmation": "Da li ste sigurni da \u017eelite ukloniti {0}?", + "NoPluginConfigurationMessage": "Ovaj dodatak nema ni\u0161ta za podesiti.", + "NoPluginsInstalledMessage": "Nemate instaliranih dodataka.", + "BrowsePluginCatalogMessage": "Pregledajte dostupne dodatke u na\u0161em katalogu.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Korisnici", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Snimi", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Naprimjer: Star Wars Kolekcija", + "OptionSearchForInternetMetadata": "Potra\u017ei na internetu grafike i metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Ponovo pokreni", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Naprimjer: Star Wars Kolekcija", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Potra\u017ei na internetu grafike i metadata", - "ButtonUpdateNow": "A\u017euriraj sad", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Bez zvuka", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Sljede\u0107a traka", + "ButtonPause": "Pauza", + "ButtonPlay": "Pokreni", + "ButtonEdit": "Izmjeni", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Prethodna traka", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Epizode", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "Sve snimke", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Dodaj", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Slu\u017ebeno izdanje", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (nestabilno)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Ukloni dodatak", - "ButtonMute": "Bez zvuka", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Da li ste sigurni da \u017eelite ukloniti {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Ovaj dodatak nema ni\u0161ta za podesiti.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Nemate instaliranih dodataka.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Pregledajte dostupne dodatke u na\u0161em katalogu.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Po\u010detna", + "OptionSunday": "Nedjelja", + "OptionMonday": "Ponedjeljak", + "OptionTuesday": "Utorak", + "OptionWednesday": "Srijeda", + "OptionThursday": "\u010cetvrtak", + "OptionFriday": "Petak", + "OptionSaturday": "Subota", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Postavke", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Medijska mapa", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scene", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Nastavi", + "HeaderMyViews": "My Views", + "HeaderLibraryFolders": "Media Folders", + "HeaderLatestMedia": "Lista medija", + "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": "Dodaj", + "ButtonRemove": "Ukloni", "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.", - "HeaderUsers": "Korisnici", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Nastavi", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "A\u017euriraj sad", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Pjesme", - "TabAlbums": "Albumi", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Odustani", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "Scene", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Subtitles", + "HeaderVideoQuality": "Video Quality", + "MessageErrorPlayingVideo": "There was an error playing the video.", + "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", + "ButtonHome": "Po\u010detna", + "ButtonDashboard": "Dashboard", + "ButtonReports": "Reports", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Time", + "HeaderName": "Ime", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Medijska mapa", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Muzi\u010dki spotovi", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Trajanje", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Zavr\u0161eno", + "OptionContinuing": "Nastavlja se", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Postavke", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Roditeljska ocjena", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Trajanje", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Ponovo pokreni", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Odustani", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Napredno", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scene", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Titlovi", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Prethodna traka", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Sljede\u0107a traka", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pauza", - "TabMovies": "Filmovi", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Postavke snimljene", - "OptionParentalRating": "Roditeljska ocjena", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Dodaj korisnika", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Korisnici", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Izbri\u0161i", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Napredno", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Lozinka", - "ButtonNetwork": "Network", - "OptionContinuing": "Nastavlja se", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Zavr\u0161eno", - "ButtonResume": "Resume", + "ButtonSubtitles": "Titlovi", + "ButtonScenes": "Scene", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Odaberi", + "ButtonNew": "Novo", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Izbri\u0161i sliku", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Da li ste sigurni da \u017eelite izbrisati ovu sliku?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Nedjelja", + "LabelName": "Ime:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "U\u010ditavanje datoteke je prekinuto.", - "OptionMonday": "Ponedjeljak", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Datoteka nije prona\u0111ena.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Utorak", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Prilikom u\u010ditavanja datoteke desila se gre\u0161ka", - "HeaderName": "Ime", - "OptionWednesday": "Srijeda", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Izbri\u0161i korisnika", - "OptionThursday": "\u010cetvrtak", "OptionSeries": "Series", - "DeleteUserConfirmation": "Da li ste sigurni da \u017eelite izbrisati odabranog korisnika?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Petak", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Subota", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "Lozinka je resetirana.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Da li ste sigurni da \u017eelite resetirati lozinku?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Lozinka snimljena.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Lozinka i lozinka potvrde moraju biti identi\u010dne.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Odaberi", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Snimi", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Broj sezone:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Broj epizode:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Lista medija", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Novo", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Ime:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Ukloni", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmovi", + "TabSeries": "Series", + "TabEpisodes": "Epizode", + "TabTrailers": "Trailers", + "TabGames": "Games", + "TabAlbums": "Albumi", + "TabSongs": "Pjesme", + "TabMusicVideos": "Muzi\u010dki spotovi", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Izbri\u0161i", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "Sve snimke", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Pokreni", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Izmjeni", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Izbri\u0161i", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Obavijesti", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Obavijesti", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/hu.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/hu.json index 3f33dc1162..97fce04bcd 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/hu.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/hu.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Sorozatok", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Teljes k\u00e9perny\u0151", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Sorozatok", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 7b8c603281..ff4bdb0a07 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settaggi salvati.", + "AddUser": "Aggiungi utente", + "Users": "Utenti", + "Delete": "Elimina", + "Administrator": "Amministratore", + "Password": "Password", + "DeleteImage": "Elimina immagine", + "MessageThankYouForSupporting": "Grazie per il tuo sostegno a Emby.", + "MessagePleaseSupportProject": "Per favore, sostieni Emby.", + "DeleteImageConfirmation": "Sei sicuro di voler eliminare questa immagine?", + "FileReadCancelled": "Il file letto \u00e8 stato cancellato.", + "FileNotFound": "File non trovato", + "FileReadError": "Errore durante la lettura del file.", + "DeleteUser": "Elimina utente", + "DeleteUserConfirmation": "Sei sicuro di voler eliminare questo utente", + "PasswordResetHeader": "Ripristina Password", + "PasswordResetComplete": "la password \u00e8 stata ripristinata.", + "PinCodeResetComplete": "Il codice PIN \u00e8 stato resettato", + "PasswordResetConfirmation": "Sei sicuro di voler ripristinare la password?", + "PinCodeResetConfirmation": "Sei sicuro di voler resettare il codice PIN?", + "HeaderPinCodeReset": "Resetta il codice PIN", + "PasswordSaved": "Password salvata.", + "PasswordMatchError": "Le password non coincidono.", + "OptionRelease": "Versione Ufficiale", + "OptionBeta": "Beta", + "OptionDev": "Dev (instabile)", + "UninstallPluginHeader": "Disinstalla Plugin", + "UninstallPluginConfirmation": "Sei sicuro di voler Disinstallare {0}?", + "NoPluginConfigurationMessage": "Questo Plugin non \u00e8 stato configurato.", + "NoPluginsInstalledMessage": "Non ci sono Plugins installati.", + "BrowsePluginCatalogMessage": "Sfoglia il catalogo dei Plugins.", + "MessageKeyEmailedTo": "Chiave inviata all'email {0}.", + "MessageKeysLinked": "Chiave Collegata.", + "HeaderConfirmation": "Conferma", + "MessageKeyUpdated": "Grazie. La vostra chiave supporter \u00e8 stato aggiornato.", + "MessageKeyRemoved": "Grazie. La vostra chiave supporter \u00e8 stata rimossa.", + "HeaderSupportTheTeam": "Supporta il Team di Emby", + "TextEnjoyBonusFeatures": "Goditi le caratteristiche aggiuntive", + "TitleLiveTV": "Tv in diretta", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sincronizza", + "HeaderSelectDate": "Seleziona la data", + "ButtonDonate": "Donazione", + "LabelRecurringDonationCanBeCancelledHelp": "Donazioni ricorrenti possono essere cancellati in qualsiasi momento dal tuo conto PayPal.", + "HeaderMyMedia": "I mei media", + "TitleNotifications": "Notifiche", + "ErrorLaunchingChromecast": "Si \u00e8 verificato un errore all'avvio di chromecast. Assicurati che il tuo dispositivo sia connesso alla rete wireless.", + "MessageErrorLoadingSupporterInfo": "Si \u00e8 verificato un errore caricando le informazioni sui supporter. Si prega di riprovare pi\u00f9 tardi.", + "MessageLinkYourSupporterKey": "Collega il tuo codice Supporter con al massimo {0} membri di Emby per accedere liberamente alle seguenti app:", + "HeaderConfirmRemoveUser": "Cancellazione utente", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Sei sicuro di voler rimuovere da questo utente i benefici aggiuntivi da supporter?", + "ValueTimeLimitSingleHour": "Tempo limite: 1 ora", + "ValueTimeLimitMultiHour": "Tempo limite: {0} ore", + "HeaderUsers": "Utenti", + "PluginCategoryGeneral": "Generale", + "PluginCategoryContentProvider": "Fornitori di contenuti", + "PluginCategoryScreenSaver": "Salva schermo", + "PluginCategoryTheme": "Temi", + "PluginCategorySync": "Sincr.", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifiche", + "PluginCategoryMetadata": "Metadati", + "PluginCategoryLiveTV": "TV in diretta", + "PluginCategoryChannel": "Canali", + "HeaderSearch": "Ricerca", + "ValueDateCreated": "Data di creazione {0}", + "LabelArtist": "Artista", + "LabelMovie": "Film", + "LabelMusicVideo": "Video Musicali", + "LabelEpisode": "Episodio", + "LabelSeries": "Serie TV", + "LabelStopping": "Sto fermando", + "LabelCancelled": "(cancellato)", + "LabelFailed": "(fallito)", + "ButtonHelp": "Aiuto", + "ButtonSave": "Salva", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "In Coda", + "SyncJobStatusConverting": "Conversione", + "SyncJobStatusFailed": "Fallito", + "SyncJobStatusCancelled": "Cancellato", + "SyncJobStatusCompleted": "Sinc.to", + "SyncJobStatusReadyToTransfer": "Pronti a trasferire", + "SyncJobStatusTransferring": "Trasferimento", + "SyncJobStatusCompletedWithError": "Sincronizzato con errori", + "SyncJobItemStatusReadyToTransfer": "Pronti a trasferire", + "LabelCollection": "Collezione", + "HeaderAddToCollection": "Aggiungi alla Collezione", + "NewCollectionNameExample": "Esempio: Collezione Star wars", + "OptionSearchForInternetMetadata": "Cerca su internet le immagini e i metadati", + "LabelSelectCollection": "Seleziona Collezione:", + "HeaderDevices": "Dispositivi", + "ButtonScheduledTasks": "Operazioni Pianificate", + "MessageItemsAdded": "Oggetti aggiunti", + "ButtonAddToCollection": "Aggiungi alla collezione", + "HeaderSelectCertificatePath": "Seleziona il percorso del Certificato", + "ConfirmMessageScheduledTaskButton": "L'operazione viene normalmente eseguita come operazione pianificata. Pu\u00f2 anche essere avviata manualmente da qui. Per configurare le operazioni pianificate, vedi:", + "HeaderSupporterBenefit": "L'iscrizione come supporter garantisce benefici aggiuntivi, come l'accesso alla sincronizzazione, i plugin premium, canali con contenuto internet, e altro ancora. {0}Scopri di pi\u00f9{1}.", + "LabelSyncNoTargetsHelp": "Sembra che al momento non avete applicazioni che supportano la sincronizzazione.", + "HeaderWelcomeToProjectServerDashboard": "Benvenuto nel Pannello di controllo del Server Emby", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Fai una visita", + "HeaderWelcomeBack": "Ben tornato!", + "TitlePlugins": "Plugin", + "ButtonTakeTheTourToSeeWhatsNew": "Fai un tour per vedere cosa \u00e8 cambiato", + "MessageNoSyncJobsFound": "Nessuna sincronizzazione pianificata. Creane una utilizzando i pulsanti sull'interfaccia web", + "ButtonPlayTrailer": "Visualizza Trailer", + "HeaderLibraryAccess": "Accesso libreria", + "HeaderChannelAccess": "Accesso canali", + "HeaderDeviceAccess": "Accesso al dispositivo", + "HeaderSelectDevices": "Seleziona periferiche", + "ButtonCancelItem": "Cancella oggetto", + "ButtonQueueForRetry": "In attesa di riprovare", + "ButtonReenable": "Ri-abilita", + "ButtonLearnMore": "saperne di pi\u00f9", + "SyncJobItemStatusSyncedMarkForRemoval": "Selezionato per la rimozione", + "LabelAbortedByServerShutdown": "(Interrotto dallo spegnimento del server)", + "LabelScheduledTaskLastRan": "Ultima esecuzione {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Elimina Operazione pianificata", "HeaderTaskTriggers": "Operazione Pianificata", - "ButtonResetTuner": "Riavvia scheda TV", - "ButtonRestart": "Riavvia", "MessageDeleteTaskTrigger": "Sei sicuro di voler cancellare questo evento?", - "HeaderResetTuner": "Riavvia Scheda TV", - "NewCollectionNameExample": "Esempio: Collezione Star wars", "MessageNoPluginsInstalled": "Non hai plugin installati", - "MessageConfirmResetTuner": "Sei sicuro di voler ripristinare questo sintonizzatore? Tutti i riproduttori attivi o registrazioni saranno bruscamente fermati.", - "OptionSearchForInternetMetadata": "Cerca su internet le immagini e i metadati", - "ButtonUpdateNow": "Aggiorna Adesso", "LabelVersionInstalled": "{0} installato", - "ButtonCancelSeries": "Serie cancellate", "LabelNumberReviews": "{0} Recensioni", - "LabelAllChannels": "Tutti i canali", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Serie registrate", + "HeaderPlaybackError": "Errore di riproduzione", + "MessagePlaybackErrorNotAllowed": "Al momento non sei autorizzato a riprodurre questo contenuto. Per favore contatta l'amministratore del sistema per ulteriori dettagli", + "MessagePlaybackErrorNoCompatibleStream": "Nessuna trasmissione compatibile \u00e8 al momento disponibile. Per favore riprova in seguito o contatta il tuo Amministratore di sistema per chiarimenti", + "MessagePlaybackErrorRateLimitExceeded": "La tua quota di riproduzione \u00e8 stata raggiunta. Per favore contatta l'amministratore del sistema per ulteriori dettagli", + "MessagePlaybackErrorPlaceHolder": "Il contenuto scelto non pu\u00f2 essere riprodotto su questo dispositivo", "HeaderSelectAudio": "Seleziona audio", - "LabelAnytime": "Qualsiasi ora", "HeaderSelectSubtitles": "Seleziona sottotitoli", - "StatusRecording": "Registrazione", + "ButtonMarkForRemoval": "Rimuovi dal dispositivo", + "ButtonUnmarkForRemoval": "Annulla rimozione dal dispositivo", "LabelDefaultStream": "(Predefinito)", - "StatusWatching": "Sto guardando", "LabelForcedStream": "(forzato)", - "StatusRecordingProgram": "Registrando {0}", "LabelDefaultForcedStream": "(Predefinito\/Forzato)", - "StatusWatchingProgram": "Guardando {0}", "LabelUnknownLanguage": "Lingua Sconosciuta", - "ButtonQueue": "In coda", + "MessageConfirmSyncJobItemCancellation": "Sei sicuro di voler cancellare questo elemento?", + "ButtonMute": "Muto", "ButtonUnmute": "Togli muto", - "LabelSyncNoTargetsHelp": "Sembra che al momento non avete applicazioni che supportano la sincronizzazione.", - "HeaderSplitMedia": "Dividi Media", + "ButtonStop": "Stop", + "ButtonNextTrack": "Traccia Successiva", + "ButtonPause": "Pausa", + "ButtonPlay": "Riproduci", + "ButtonEdit": "Modifica", + "ButtonQueue": "In coda", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Sei sicuro di voler dividere le fonti dei media in voci separate?", - "HeaderError": "Errore", + "ButtonPreviousTrack": "Traccia Precedente", "LabelEnabled": "Abilitato", - "HeaderSupporterBenefit": "L'iscrizione come supporter garantisce benefici aggiuntivi, come l'accesso alla sincronizzazione, i plugin premium, canali con contenuto internet, e altro ancora. {0}Scopri di pi\u00f9{1}.", "LabelDisabled": "Disabilitato", - "MessageTheFollowingItemsWillBeGrouped": "I seguenti titoli saranno raggruppati in un unico elemento:", "ButtonMoreInformation": "Maggiori informazioni", - "MessageConfirmItemGrouping": "Le app Emby scieglieranno automaticamente la versione ottimale per la riproduzione basandosi sulle prestazioni del dispositivo e della rete. Sei sicuro di voler continuare?", "LabelNoUnreadNotifications": "Nessuna notifica non letta", "ButtonViewNotifications": "Vedi notifiche", - "HeaderFavoriteAlbums": "Album preferiti", "ButtonMarkTheseRead": "Segna come lette", - "HeaderLatestChannelMedia": "Ultimi elementi aggiunti", "ButtonClose": "Chiudi", - "ButtonOrganizeFile": "Organizza file", - "ButtonLearnMore": "saperne di pi\u00f9", - "TabEpisodes": "Episodi", "LabelAllPlaysSentToPlayer": "Tutti i play saranno inviati al riproduttore selezionato.", - "ButtonDeleteFile": "Elimina file", "MessageInvalidUser": "Utente o password errato. Riprova", - "HeaderOrganizeFile": "Organizza file", - "HeaderAudioTracks": "Tracce audio", + "HeaderLoginFailure": "Errore di accesso", + "HeaderAllRecordings": "Tutte le registrazioni", "RecommendationBecauseYouLike": "Perch\u00e9 ti piace {0}", - "HeaderDeleteFile": "Elimina file", - "ButtonAdd": "Aggiungi", - "HeaderSubtitles": "Sottotitoli", - "ButtonView": "Vista", "RecommendationBecauseYouWatched": "Perch\u00e9 hai visto {0}", - "StatusSkipped": "Salta", - "HeaderVideoQuality": "Qualit\u00e0 video", "RecommendationDirectedBy": "Diretto da {0}", - "StatusFailed": "Fallito", - "MessageErrorPlayingVideo": "Si \u00e8 verificato un errore nella riproduzione del video.", "RecommendationStarring": "Protagonisti {0}", - "StatusSuccess": "Successo", - "MessageEnsureOpenTuner": "Si prega di assicurarsi che ci sia un sintonizzatore disponibile.", "HeaderConfirmRecordingCancellation": "Conferma eliminazione registrazione", - "MessageFileWillBeDeleted": "Questo file sar\u00e0 eliminato:", - "ButtonDashboard": "Pannello", "MessageConfirmRecordingCancellation": "Sei sicuro di voler cancellare questa registrazione?", - "MessageSureYouWishToProceed": "Sei sicuro ,Procedo?", - "ButtonHelp": "Aiuto", - "ButtonReports": "Reports", - "HeaderUnrated": "Non votato", "MessageRecordingCancelled": "Registrazione eliminata.", - "MessageDuplicatesWillBeDeleted": "Inoltre saranno cancellati i seguenti duplicati:", - "ButtonMetadataManager": "Manager Metadati", - "ValueDiscNumber": "Disco {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Conferma cancellazione serie", + "MessageConfirmSeriesCancellation": "Sei sicuro di voler cancellare questa serie?", + "MessageSeriesCancelled": "Serie cancellata", "HeaderConfirmRecordingDeletion": "Conferma cancellazione registrazione", - "MessageFollowingFileWillBeMovedFrom": "Il seguente file verr\u00e0 spostato da:", - "HeaderTime": "Tempo", - "HeaderUnknownDate": "Data Sconosciuta", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Sei sicuro di voler cancellare questa registrazione?", - "MessageDestinationTo": "A:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Anno Sconosciuto", - "OptionRelease": "Versione Ufficiale", "MessageRecordingDeleted": "Registrazione eliminata", - "HeaderSelectWatchFolder": "Seleziona Cartella", - "HeaderAlbumArtist": "Artista Album", - "HeaderMyViews": "Mie viste", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancellazione registrazione", - "HeaderSelectWatchFolderHelp": "Sfoglia o inserire il percorso della cartella controllata. La cartella deve essere scrivibile.", - "HeaderArtist": "Artista", - "OptionDev": "Dev (instabile)", "MessageRecordingSaved": "Salvataggio registrazione", - "OrganizePatternResult": "Risultati: {0}", - "HeaderLatestTvRecordings": "Ultime registrazioni", - "UninstallPluginHeader": "Disinstalla Plugin", - "ButtonMute": "Muto", - "HeaderRestart": "Riavvia", - "UninstallPluginConfirmation": "Sei sicuro di voler Disinstallare {0}?", - "HeaderShutdown": "Spegni", - "NoPluginConfigurationMessage": "Questo Plugin non \u00e8 stato configurato.", - "MessageConfirmRestart": "Sei sicuro di voler riavviare il Server Emby?", - "MessageConfirmRevokeApiKey": "Sei sicuro di voler revocare questa chiave api? La connessione dell'applicazione al Server Emby terminer\u00e0 immediatamente", - "NoPluginsInstalledMessage": "Non ci sono Plugins installati.", - "MessageConfirmShutdown": "Sei sicuro di voler spegnere il Server Emby?", - "HeaderConfirmRevokeApiKey": "Revocare Chiave Api", - "BrowsePluginCatalogMessage": "Sfoglia il catalogo dei Plugins.", - "NewVersionOfSomethingAvailable": "Una nuova versione di {0} \u00e8 disponibile!", - "VersionXIsAvailableForDownload": "Versione {0} \u00e8 ora disponibile per il download.", - "TextEnjoyBonusFeatures": "Goditi le caratteristiche aggiuntive", - "ButtonHome": "Home", + "OptionSunday": "Domenica", + "OptionMonday": "Luned\u00ec", + "OptionTuesday": "Marted\u00ec", + "OptionWednesday": "Mercoled\u00ec", + "OptionThursday": "Gioved\u00ec", + "OptionFriday": "Venerd\u00ec", + "OptionSaturday": "Sabato", + "OptionEveryday": "Tutti i giorni", "OptionWeekend": "weekend", - "ButtonSettings": "Impostazioni", "OptionWeekday": "Giorni feriali", - "OptionEveryday": "Tutti i giorni", - "HeaderMediaFolders": "Cartelle dei media", - "ValueDateCreated": "Data di creazione {0}", - "MessageItemsAdded": "Oggetti aggiunti", - "HeaderScenes": "Scene", - "HeaderNotifications": "Notifiche", - "HeaderSelectPlayer": "Utente selezionato:", - "ButtonAddToCollection": "Aggiungi alla collezione", - "HeaderSelectCertificatePath": "Seleziona il percorso del Certificato", - "LabelBirthDate": "Data nascita:", - "HeaderSelectPath": "Seleziona Percorso", - "ButtonPlayTrailer": "Riproduci trailer", - "HeaderLibraryAccess": "Accesso libreria", - "HeaderChannelAccess": "Accesso canali", - "MessageChromecastConnectionError": "Il tuo ricevitore Chromecast non \u00e8 in grado di collegarsi al tuo Server Emby. Si prega di verificare la connessione e provare di nuovo", - "TitleNotifications": "Notifiche", - "MessageChangeRecurringPlanConfirm": "Dopo aver completato questa transazione dovrai cancellare dal tuo account PayPal la tua precedente donazione ricorrente. Grazie per aver sostenuto Emby.", - "MessageSupporterMembershipExpiredOn": "La tua iscrizione supporter scaduto il {0}.", - "MessageYouHaveALifetimeMembership": "Tu hai un abbonamento come Supporter che non ha scadenza. Puoi fare ulteriori donazioni, singole o ricorrenti, scegliendo le opzioni sottostanti. Grazie per il tuo sostegno a Emby", - "SyncJobStatusConverting": "Conversione", - "MessageYouHaveAnActiveRecurringMembership": "Si dispone di un attivo {0} appartenenza. \u00c8 possibile aggiornare il vostro piano utilizzando le opzioni di seguito.", - "SyncJobStatusFailed": "Fallito", - "SyncJobStatusCancelled": "Cancellato", - "SyncJobStatusTransferring": "Trasferimento", - "FolderTypeUnset": "Disinserito (contenuto misto)", + "HeaderConfirmDeletion": "Conferma Cancellazione", + "MessageConfirmPathSubstitutionDeletion": "Sei sicuro di voler cancellare questa sostituzione percorso?", + "LiveTvUpdateAvailable": "(Aggiornamento disponibile)", + "LabelVersionUpToDate": "Aggiornato!", + "ButtonResetTuner": "Riavvia scheda TV", + "HeaderResetTuner": "Riavvia Scheda TV", + "MessageConfirmResetTuner": "Sei sicuro di voler ripristinare questo sintonizzatore? Tutti i riproduttori attivi o registrazioni saranno bruscamente fermati.", + "ButtonCancelSeries": "Serie cancellate", + "HeaderSeriesRecordings": "Serie registrate", + "LabelAnytime": "Qualsiasi ora", + "StatusRecording": "Registrazione", + "StatusWatching": "Sto guardando", + "StatusRecordingProgram": "Registrando {0}", + "StatusWatchingProgram": "Guardando {0}", + "HeaderSplitMedia": "Dividi Media", + "MessageConfirmSplitMedia": "Sei sicuro di voler dividere le fonti dei media in voci separate?", + "HeaderError": "Errore", + "MessageChromecastConnectionError": "Il tuo ricevitore Chromecast non \u00e8 in grado di collegarsi al tuo Server Emby. Si prega di verificare la connessione e provare di nuovo", + "MessagePleaseSelectOneItem": "Si prega di selezionare almeno un elemento.", + "MessagePleaseSelectTwoItems": "Seleziona almeno due elementi.", + "MessageTheFollowingItemsWillBeGrouped": "I seguenti titoli saranno raggruppati in un unico elemento:", + "MessageConfirmItemGrouping": "Le app Emby scieglieranno automaticamente la versione ottimale per la riproduzione basandosi sulle prestazioni del dispositivo e della rete. Sei sicuro di voler continuare?", + "HeaderResume": "Riprendi", + "HeaderMyViews": "Mie viste", + "HeaderLibraryFolders": "Cartelle dei mediati", + "HeaderLatestMedia": "Ultimi Media", + "ButtonMoreItems": "Pi\u00f9...", + "ButtonMore": "Dettagli", + "HeaderFavoriteMovies": "Film preferiti", + "HeaderFavoriteShows": "Show preferiti", + "HeaderFavoriteEpisodes": "Episodi preferiti", + "HeaderFavoriteGames": "Giochi preferiti", + "HeaderRatingsDownloads": "Voti \/ Download", + "HeaderConfirmProfileDeletion": "Conferma eliminazione profilo", + "MessageConfirmProfileDeletion": "Sei sicuro di voler cancellare questo profilo?", + "HeaderSelectServerCachePath": "Seleziona percorso Cache Server", + "HeaderSelectTranscodingPath": "Selezionare Percorso Temporaneo Transcodifica", + "HeaderSelectImagesByNamePath": "Selezionare Percorso Immagini Per Nome", + "HeaderSelectMetadataPath": "Selezionare Percorso Metadati", + "HeaderSelectServerCachePathHelp": "Sfoglia o immetti il percorso da utilizzare per i file di cache server. La cartella deve essere scrivibile", + "HeaderSelectTranscodingPathHelp": "Sfoglia o immettere il percorso da utilizzare per la transcodifica dei file temporanei. La cartella deve essere scrivibile.", + "HeaderSelectImagesByNamePathHelp": "Sfoglia oppure immettere il percorso per i vostri oggetti per nome cartella. La cartella deve essere scrivibile.", + "HeaderSelectMetadataPathHelp": "Sfoglia o inserire il percorso in cui vuoi archiviare i metadati. La cartella deve essere scrivibile.", + "HeaderSelectChannelDownloadPath": "Selezionare il percorso di download del Canale", + "HeaderSelectChannelDownloadPathHelp": "Sfoglia o immettere il percorso da utilizzare per memorizzare i file di cache del canale. La cartella deve essere scrivibile.", + "OptionNewCollection": "Nuovo...", + "ButtonAdd": "Aggiungi", + "ButtonRemove": "Rimuovi", "LabelChapterDownloaders": "Downloader capitoli:", "LabelChapterDownloadersHelp": "Abilitare e classificare le downloader capitoli preferiti in ordine di priorit\u00e0. I Downloader con priorit\u00e0 pi\u00f9 bassa saranno utilizzati solo per compilare le informazioni mancanti.", - "HeaderUsers": "Utenti", - "ValueStatus": "Stato {0}", - "MessageInternetExplorerWebm": "Se utilizzi internet Explorer installa WebM plugin", - "HeaderResume": "Riprendi", - "HeaderVideoError": "Video Errore", + "HeaderFavoriteAlbums": "Album preferiti", + "HeaderLatestChannelMedia": "Ultimi elementi aggiunti", + "ButtonOrganizeFile": "Organizza file", + "ButtonDeleteFile": "Elimina file", + "HeaderOrganizeFile": "Organizza file", + "HeaderDeleteFile": "Elimina file", + "StatusSkipped": "Salta", + "StatusFailed": "Fallito", + "StatusSuccess": "Successo", + "MessageFileWillBeDeleted": "Questo file sar\u00e0 eliminato:", + "MessageSureYouWishToProceed": "Sei sicuro ,Procedo?", + "MessageDuplicatesWillBeDeleted": "Inoltre saranno cancellati i seguenti duplicati:", + "MessageFollowingFileWillBeMovedFrom": "Il seguente file verr\u00e0 spostato da:", + "MessageDestinationTo": "A:", + "HeaderSelectWatchFolder": "Seleziona Cartella", + "HeaderSelectWatchFolderHelp": "Sfoglia o inserire il percorso della cartella controllata. La cartella deve essere scrivibile.", + "OrganizePatternResult": "Risultati: {0}", + "HeaderRestart": "Riavvia", + "HeaderShutdown": "Spegni", + "MessageConfirmRestart": "Sei sicuro di voler riavviare il Server Emby?", + "MessageConfirmShutdown": "Sei sicuro di voler spegnere il Server Emby?", + "ButtonUpdateNow": "Aggiorna Adesso", + "ValueItemCount": "{0} elemento", + "ValueItemCountPlural": "{0} elementi", + "NewVersionOfSomethingAvailable": "Una nuova versione di {0} \u00e8 disponibile!", + "VersionXIsAvailableForDownload": "Versione {0} \u00e8 ora disponibile per il download.", + "LabelVersionNumber": "Versione {0}", + "LabelPlayMethodTranscoding": "Trascodifica", + "LabelPlayMethodDirectStream": "Streaming Diretto", + "LabelPlayMethodDirectPlay": "Riproduzione Diretta", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Accesso locale {0}", + "LabelRemoteAccessUrl": "Accesso remoto: {0}", + "LabelRunningOnPort": "In esecuzione sulla porta HTTP {0}.", + "LabelRunningOnPorts": "In esecuzione sulla porta HTTP {0}, e porta HTTPS {1}", + "HeaderLatestFromChannel": "Ultime da {0}", + "LabelUnknownLanaguage": "lingua sconosciuta", + "HeaderCurrentSubtitles": "Sottotitoli correnti", + "MessageDownloadQueued": "Il download \u00e8 stato accodato.", + "MessageAreYouSureDeleteSubtitles": "Sei sicuro di voler cancellare questo file dei sottotitoli?", "ButtonRemoteControl": "Telecomando", - "TabSongs": "Canzoni", - "TabAlbums": "Album", - "MessageFeatureIncludedWithSupporter": "Siete registrati per questa funzione, e sarete in grado di continuare ad usarlo con un abbonamento attivo sostenitore.", + "HeaderLatestTvRecordings": "Ultime registrazioni", + "ButtonOk": "OK", + "ButtonCancel": "Annulla", + "ButtonRefresh": "Aggiorna", + "LabelCurrentPath": "Percorso Corrente:", + "HeaderSelectMediaPath": "Seleziona il percorso", + "HeaderSelectPath": "Seleziona Percorso", + "ButtonNetwork": "Rete", + "MessageDirectoryPickerInstruction": "Percorsi di rete possono essere inseriti manualmente nel caso in cui il pulsante Rete non riesce a individuare i vostri dispositivi. Ad esempio, {0} o {1}", + "HeaderMenu": "Menu", + "ButtonOpen": "Apri", + "ButtonOpenInNewTab": "Apri in una nuova finestra", + "ButtonShuffle": "A caso", + "ButtonInstantMix": "Mix istantaneo", + "ButtonResume": "Riprendi", + "HeaderScenes": "Scene", + "HeaderAudioTracks": "Tracce audio", + "HeaderLibraries": "Librerie", + "HeaderSubtitles": "Sottotitoli", + "HeaderVideoQuality": "Qualit\u00e0 video", + "MessageErrorPlayingVideo": "Si \u00e8 verificato un errore nella riproduzione del video.", + "MessageEnsureOpenTuner": "Si prega di assicurarsi che ci sia un sintonizzatore disponibile.", + "ButtonHome": "Home", + "ButtonDashboard": "Pannello", + "ButtonReports": "Reports", + "ButtonMetadataManager": "Manager Metadati", + "HeaderTime": "Tempo", + "HeaderName": "Nome", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Artista Album", + "HeaderArtist": "Artista", + "LabelAddedOnDate": "Aggiunto {0}", + "ButtonStart": "Avvio", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Canali", + "HeaderMediaFolders": "Cartelle dei media", + "HeaderBlockItemsWithNoRating": "Bloccare i contenuti senza informazioni valutazione:", + "OptionBlockOthers": "Altri", + "OptionBlockTvShows": "Serie TV", + "OptionBlockTrailers": "Trailer", + "OptionBlockMusic": "Musica", + "OptionBlockMovies": "Film", + "OptionBlockBooks": "Libri", + "OptionBlockGames": "Giochi", + "OptionBlockLiveTvPrograms": "Programmi TV in onda", + "OptionBlockLiveTvChannels": "Canali TV in onda", + "OptionBlockChannelContent": "Contenuto di Canali Internet", + "ButtonRevoke": "Revocare", + "MessageConfirmRevokeApiKey": "Sei sicuro di voler revocare questa chiave api? La connessione dell'applicazione al Server Emby terminer\u00e0 immediatamente", + "HeaderConfirmRevokeApiKey": "Revocare Chiave Api", "ValueContainer": "Contenitore: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Video Musicali", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Ultime recensioni", - "HeaderDevices": "Dispositivi", "ValueConditions": "Condizioni: {0}", - "HeaderPluginInstallation": "Installazione Plugin", "LabelAll": "Tutti", - "MessageAlreadyInstalled": "Questa versione \u00e8 gi\u00e0 installata.", "HeaderDeleteImage": "Cancella Immagine", - "ValueReviewCount": "{0} recensioni", "MessageFileNotFound": "File non trovato.", - "MessageYouHaveVersionInstalled": "Attualmente hai la versione {0} installato.", "MessageFileReadError": "Errore leggendo questo file", - "MessageTrialExpired": "Il periodo di prova per questa funzione \u00e8 scaduto.", "ButtonNextPage": "Prossima pagina", - "OptionWatched": "Visto", - "MessageTrialWillExpireIn": "Il periodo di prova per questa funzione scadr\u00e0 in {0} giorni", "ButtonPreviousPage": "Pagina precedente", - "OptionUnwatched": "Non visto", - "MessageInstallPluginFromApp": "Questo Plugin deve essere installato dall'app in cui vuoi farlo funzionare", - "OptionRuntime": "Durata", - "HeaderMyMedia": "I mei media", "ButtonMoveLeft": "Muovi a sinistra", - "ExternalPlayerPlaystateOptionsHelp": "Specificare come si desidera riprendere la riproduzione di questo video la prossima volta.", - "ValuePriceUSD": "Prezzo: {0} (USD)", - "OptionReleaseDate": "Data di rilascio", + "OptionReleaseDate": "data di rilascio", "ButtonMoveRight": "Muovi a destra", - "LabelMarkAs": "Segna come:", "ButtonBrowseOnlineImages": "Sfoglia le immagini Online", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Per favore accetta i termini di servizio prima di continuare.", - "OptionInProgress": "In Corso", "HeaderDeleteItem": "Elimina elemento", - "ButtonUninstall": "Disinstalla", - "LabelResumePoint": "Punto di ripristino:", "ConfirmDeleteItem": "L'eliminazione di questo articolo sar\u00e0 eliminarlo sia dal file system e la vostra libreria multimediale. Sei sicuro di voler continuare?", - "ValueOneMovie": "1 film", - "ValueItemCount": "{0} elemento", "MessagePleaseEnterNameOrId": "Inserisci il nome o id esterno.", - "ValueMovieCount": "{0} film", - "PluginCategoryGeneral": "Generale", - "ValueItemCountPlural": "{0} elementi", "MessageValueNotCorrect": "Il valore inserito non \u00e8 corretto.Riprova di nuovo.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Elemento salvato.", - "HeaderWelcomeBack": "Ben tornato!", - "ValueTrailerCount": "{0} trailer", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Per favore accetta i termini di servizio prima di continuare.", + "OptionEnded": "Finito", + "OptionContinuing": "In corso", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Impostazioni", + "ButtonUninstall": "Disinstalla", "HeaderFields": "Campi", - "ButtonTakeTheTourToSeeWhatsNew": "Fai un tour per vedere cosa \u00e8 cambiato", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Fornitori di contenuti", "HeaderFieldsHelp": "Far scorrere un campo a 'off' per bloccarlo e impedire che sia i dati vengano modificati.", - "ValueSeriesCount": "{0} serie", "HeaderLiveTV": "Tv in diretta", - "ValueOneEpisode": "1 episodio", - "LabelRecurringDonationCanBeCancelledHelp": "Donazioni ricorrenti possono essere cancellati in qualsiasi momento dal tuo conto PayPal.", - "ButtonRevoke": "Revocare", "MissingLocalTrailer": "Trailer locali mancanti", - "ValueEpisodeCount": "{0} episodi", - "PluginCategoryScreenSaver": "Salva schermo", - "ButtonMore": "Dettagli", "MissingPrimaryImage": "Immagini principali locali mancanti", - "ValueOneGame": "1 gioco", - "HeaderFavoriteMovies": "Film preferiti", "MissingBackdropImage": "Sfondi mancanti", - "ValueGameCount": "{0} giochi", - "HeaderFavoriteShows": "Show preferiti", "MissingLogoImage": "Loghi mancanti", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Temi", - "HeaderFavoriteEpisodes": "Episodi preferiti", "MissingEpisode": "Episodi mancanti", - "ValueAlbumCount": "{0} album", - "HeaderFavoriteGames": "Giochi preferiti", - "MessagePlaybackErrorPlaceHolder": "Il contenuto scelto non pu\u00f2 essere riprodotto su questo dispositivo", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 canzone", - "HeaderRatingsDownloads": "Voti \/ Download", "OptionBackdrops": "Sfondi", - "MessageErrorLoadingSupporterInfo": "Si \u00e8 verificato un errore caricando le informazioni sui supporter. Si prega di riprovare pi\u00f9 tardi.", - "ValueSongCount": "{0} Canzoni", - "PluginCategorySync": "Sincr.", - "HeaderConfirmProfileDeletion": "Conferma eliminazione profilo", - "HeaderSelectDate": "Seleziona la data", - "ValueOneMusicVideo": "1 video musicale", - "MessageConfirmProfileDeletion": "Sei sicuro di voler cancellare questo profilo?", "OptionImages": "Immagini", - "ValueMusicVideoCount": "{0} video musicali", - "HeaderSelectServerCachePath": "Seleziona percorso Cache Server", "OptionKeywords": "Parole", - "MessageLinkYourSupporterKey": "Collega il tuo codice Supporter con al massimo {0} membri di Emby per accedere liberamente alle seguenti app:", - "HeaderOffline": "Spento", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Selezionare Percorso Temporaneo Transcodifica", - "MessageThankYouForSupporting": "Grazie per il tuo sostegno a Emby.", "OptionTags": "Tags", - "HeaderUnaired": "mai in onda", - "HeaderSelectImagesByNamePath": "Selezionare Percorso Immagini Per Nome", "OptionStudios": "Studios", - "HeaderMissing": "Assente", - "HeaderSelectMetadataPath": "Selezionare Percorso Metadati", "OptionName": "Nome", - "HeaderConfirmRemoveUser": "Cancellazione utente", - "ButtonWebsite": "Web", - "PluginCategoryNotifications": "Notifiche", - "HeaderSelectServerCachePathHelp": "Sfoglia o immetti il percorso da utilizzare per i file di cache server. La cartella deve essere scrivibile", - "SyncJobStatusQueued": "In Coda", "OptionOverview": "Panoramica", - "TooltipFavorite": "Preferito", - "HeaderSelectTranscodingPathHelp": "Sfoglia o immettere il percorso da utilizzare per la transcodifica dei file temporanei. La cartella deve essere scrivibile.", - "ButtonCancelItem": "Cancella oggetto", "OptionGenres": "Generi", - "ButtonScheduledTasks": "Operazioni Pianificate", - "ValueTimeLimitSingleHour": "Tempo limite: 1 ora", - "TooltipLike": "Bello", - "HeaderSelectImagesByNamePathHelp": "Sfoglia oppure immettere il percorso per i vostri oggetti per nome cartella. La cartella deve essere scrivibile.", - "SyncJobStatusCompleted": "Sinc.to", + "OptionParentalRating": "Voto Genitori", "OptionPeople": "Persone", - "MessageConfirmRemoveConnectSupporter": "Sei sicuro di voler rimuovere da questo utente i benefici aggiuntivi da supporter?", - "TooltipDislike": "Brutto", - "PluginCategoryMetadata": "Metadati", - "HeaderSelectMetadataPathHelp": "Sfoglia o inserire il percorso in cui vuoi archiviare i metadati. La cartella deve essere scrivibile.", - "ButtonQueueForRetry": "In attesa di riprovare", - "SyncJobStatusCompletedWithError": "Sincronizzato con errori", + "OptionRuntime": "Durata", "OptionProductionLocations": "Sedi di produzione", - "ButtonDonate": "Donazione", - "TooltipPlayed": "Visto", "OptionBirthLocation": "Nascita Posizione", - "ValueTimeLimitMultiHour": "Tempo limite: {0} ore", - "ValueSeriesYearToPresent": "{0}-Presenti", - "ButtonReenable": "Ri-abilita", + "LabelAllChannels": "Tutti i canali", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "L'operazione viene normalmente eseguita come operazione pianificata. Pu\u00f2 anche essere avviata manualmente da qui. Per configurare le operazioni pianificate, vedi:", - "ValueAwards": "Premi: {0}", - "PluginCategoryLiveTV": "TV in diretta", "LabelNewProgram": "Nuovo", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Selezionato per la rimozione", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Entrate: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Cambia il tipo di contenuto", - "ButtonQueueAllFromHere": "Coda tutto da qui", - "ValuePremiered": "Debuttato {0}", - "PluginCategoryChannel": "Canali", - "HeaderLibraryFolders": "Cartelle dei mediati", - "ButtonMarkForRemoval": "Rimuovi dal dispositivo", "HeaderChangeFolderTypeHelp": "Per modificare il tipo, rimuovere e ricostruire la cartella con il nuovo tipo.", - "ButtonPlayAllFromHere": "play tutto da qui", - "ValuePremieres": "Debuttato {0}", "HeaderAlert": "Avviso", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Annulla rimozione dal dispositivo", "MessagePleaseRestart": "Si prega di riavviare per completare l'aggiornamento.", - "HeaderIdentify": "Identificare Elemento", - "ValueStudios": "Studi: {0}", + "ButtonRestart": "Riavvia", "MessagePleaseRefreshPage": "Si prega di aggiornare questa pagina per ricevere i nuovi aggiornamenti dal server.", - "PersonTypePerson": "Persona", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Speciali - {0}", - "TitlePlugins": "Plugin", - "MessageConfirmSyncJobItemCancellation": "Sei sicuro di voler cancellare questo elemento?", "ButtonHide": "Nascondi", - "LabelTitleDisplayOrder": "Titolo mostrato in ordine:", - "ButtonViewSeriesRecording": "Vista delle serie in registrazione", "MessageSettingsSaved": "Settaggi salvati.", - "OptionSortName": "Nome ordinato", - "ValueOriginalAirDate": "Prima messa in onda (originale): {0}", - "HeaderLibraries": "Librerie", "ButtonSignOut": "Esci", - "ButtonOk": "OK", "ButtonMyProfile": "Mio Profilo", - "ButtonCancel": "Annulla", "ButtonMyPreferences": "Mie preferenze", - "LabelDiscNumber": "Disco numero", "MessageBrowserDoesNotSupportWebSockets": "Questo browser non supporta i socket web. Per una migliore esperienza, provare un browser pi\u00f9 recente come Chrome, Firefox, IE10 +, Safari (iOS) o Opera.", - "LabelParentNumber": "Numero superiore", "LabelInstallingPackage": "Installazione di {0}", - "TitleSync": "Sincronizza", "LabelPackageInstallCompleted": "{0} completamento dell'installazione.", - "LabelTrackNumber": "Traccia numero:", "LabelPackageInstallFailed": "{0} installazione non \u00e8 riuscita.", - "LabelNumber": "Numero:", "LabelPackageInstallCancelled": "{0} installazione annullata.", - "LabelReleaseDate": "Data di rilascio:", + "TabServer": "Server", "TabUsers": "Utenti", - "LabelEndDate": "Fine data:", "TabLibrary": "Librerie", - "LabelYear": "Anno:", + "TabMetadata": "Metadati", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Data nascita:", "TabLiveTV": "Tv indiretta", - "LabelBirthYear": "Anno nascita:", "TabAutoOrganize": "Organizza Autom.", - "LabelDeathDate": "Anno morte:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Rimuovi percorso media", - "HeaderDeviceAccess": "Accesso al dispositivo", + "TabAdvanced": "Avanzato", "TabHelp": "Aiuto", - "MessageConfirmRemoveMediaLocation": "Sei sicuro di voler rimuovere questa posizione?", - "HeaderSelectDevices": "Seleziona periferiche", "TabScheduledTasks": "Operazioni pianificate", - "HeaderRenameMediaFolder": "Rinomina cartella", - "LabelNewName": "Nuovo nome:", - "HeaderLatestFromChannel": "Ultime da {0}", - "HeaderAddMediaFolder": "Aggiungi cartella", - "ButtonQuality": "Qualit\u00e0", - "HeaderAddMediaFolderHelp": "Nome (film,musica,tv etc ):", "ButtonFullscreen": "Schermo intero", - "HeaderRemoveMediaFolder": "Rimuovi cartella", - "ButtonScenes": "Scene", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "I seguenti percorsi multimediali saranno rimossi dalla libreria:", - "ErrorLaunchingChromecast": "Si \u00e8 verificato un errore all'avvio di chromecast. Assicurati che il tuo dispositivo sia connesso alla rete wireless.", - "ButtonSubtitles": "Sottotitoli", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Sei sicuro di voler rimuovere questa posizione?", - "MessagePleaseSelectOneItem": "Si prega di selezionare almeno un elemento.", "ButtonAudioTracks": "Tracce audio", - "ButtonRename": "Rinomina", - "MessagePleaseSelectTwoItems": "Seleziona almeno due elementi.", - "ButtonPreviousTrack": "Traccia Precedente", - "ButtonChangeType": "Cambia tipo", - "HeaderSelectChannelDownloadPath": "Selezionare il percorso di download del Canale", - "ButtonNextTrack": "Traccia Successiva", - "HeaderMediaLocations": "Posizioni Media", - "HeaderSelectChannelDownloadPathHelp": "Sfoglia o immettere il percorso da utilizzare per memorizzare i file di cache del canale. La cartella deve essere scrivibile.", - "ButtonStop": "Stop", - "OptionNewCollection": "Nuovo...", - "ButtonPause": "Pausa", - "TabMovies": "Film", - "LabelPathSubstitutionHelp": "Opzionale: cambio Path pu\u00f2 mappare i percorsi del server a condivisioni di rete che i clienti possono accedere per la riproduzione diretta.", - "TabTrailers": "Trailer", - "FolderTypeMovies": "Film", - "LabelCollection": "Collezione", - "FolderTypeMusic": "Musica", - "FolderTypeAdultVideos": "Video per adulti", - "HeaderAddToCollection": "Aggiungi alla Collezione", - "FolderTypePhotos": "Foto", - "ButtonSubmit": "Invia", - "FolderTypeMusicVideos": "Video musicali", - "SettingsSaved": "Settaggi salvati.", - "OptionParentalRating": "Voto Genitori", - "FolderTypeHomeVideos": "Video personali", - "AddUser": "Aggiungi utente", - "HeaderMenu": "Menu", - "FolderTypeGames": "Giochi", - "Users": "Utenti", - "ButtonRefresh": "Aggiorna", - "PinCodeResetComplete": "Il codice PIN \u00e8 stato resettato", - "ButtonOpen": "Apri", - "FolderTypeBooks": "Libri", - "Delete": "Elimina", - "LabelCurrentPath": "Percorso Corrente:", - "TabAdvanced": "Avanzato", - "ButtonOpenInNewTab": "Apri in una nuova finestra", - "FolderTypeTvShows": "Tv", - "Administrator": "Amministratore", - "HeaderSelectMediaPath": "Seleziona il percorso", - "PinCodeResetConfirmation": "Sei sicuro di voler resettare il codice PIN?", - "ButtonShuffle": "A caso", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Luogo di nascita: {0}", - "Password": "Password", - "ButtonNetwork": "Rete", - "OptionContinuing": "In corso", - "ButtonInstantMix": "Mix istantaneo", - "DeathDateValue": "Morto: {0}", - "MessageDirectoryPickerInstruction": "Percorsi di rete possono essere inseriti manualmente nel caso in cui il pulsante Rete non riesce a individuare i vostri dispositivi. Ad esempio, {0} o {1}", - "HeaderPinCodeReset": "Resetta il codice PIN", - "OptionEnded": "Finito", - "ButtonResume": "Riprendi", + "ButtonSubtitles": "Sottotitoli", + "ButtonScenes": "Scene", + "ButtonQuality": "Qualit\u00e0", + "HeaderNotifications": "Notifiche", + "HeaderSelectPlayer": "Utente selezionato:", + "ButtonSelect": "Seleziona", + "ButtonNew": "Nuovo", + "MessageInternetExplorerWebm": "Se utilizzi internet Explorer installa WebM plugin", + "HeaderVideoError": "Video Errore", "ButtonAddToPlaylist": "Aggiungi alla playlist", - "BirthDateValue": "Nato: {0}", - "ButtonMoreItems": "Pi\u00f9...", - "DeleteImage": "Elimina immagine", "HeaderAddToPlaylist": "Aggiungi alla playlist", - "LabelSelectCollection": "Seleziona Collezione:", - "MessageNoSyncJobsFound": "Nessuna sincronizzazione pianificata. Creane una utilizzando i pulsanti sull'interfaccia web", - "ButtonRemoveFromPlaylist": "Rimuovi dalla playlist", - "DeleteImageConfirmation": "Sei sicuro di voler eliminare questa immagine?", - "HeaderLoginFailure": "Errore di accesso", - "OptionSunday": "Domenica", + "LabelName": "Nome:", + "ButtonSubmit": "Invia", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Tipo di contenuto {0}", - "FileReadCancelled": "Il file letto \u00e8 stato cancellato.", - "OptionMonday": "Luned\u00ec", "OptionNewPlaylist": "Nuova playlist...", - "FileNotFound": "File non trovato", - "HeaderPlaybackError": "Errore di riproduzione", - "OptionTuesday": "Marted\u00ec", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Errore durante la lettura del file.", - "HeaderName": "Nome", - "OptionWednesday": "Mercoled\u00ec", + "ButtonView": "Vista", + "ButtonViewSeriesRecording": "Vista delle serie in registrazione", + "ValueOriginalAirDate": "Prima messa in onda (originale): {0}", + "ButtonRemoveFromPlaylist": "Rimuovi dalla playlist", + "HeaderSpecials": "Speciali", + "HeaderTrailers": "Trailers", + "HeaderAudio": "Audio", + "HeaderResolution": "Risoluzione", + "HeaderVideo": "Video", + "HeaderRuntime": "Durata", + "HeaderCommunityRating": "Voto Comunit\u00e0", + "HeaderPasswordReset": "Reset della Password", + "HeaderParentalRating": "Voto genitore", + "HeaderReleaseDate": "Data Rilascio", + "HeaderDateAdded": "Aggiunto il", + "HeaderSeries": "Serie", + "HeaderSeason": "Stagione", + "HeaderSeasonNumber": "Stagione Numero", + "HeaderNetwork": "Rete", + "HeaderYear": "Anno", + "HeaderGameSystem": "Gioco Sistema", + "HeaderPlayers": "Giocatori", + "HeaderEmbeddedImage": "Immagine incorporata", + "HeaderTrack": "Traccia", + "HeaderDisc": "Disco", + "OptionMovies": "Film", "OptionCollections": "Collezioni", - "DeleteUser": "Elimina utente", - "OptionThursday": "Gioved\u00ec", "OptionSeries": "Serie", - "DeleteUserConfirmation": "Sei sicuro di voler eliminare questo utente", - "MessagePlaybackErrorNotAllowed": "Al momento non sei autorizzato a riprodurre questo contenuto. Per favore contatta l'amministratore del sistema per ulteriori dettagli", - "OptionFriday": "Venerd\u00ec", "OptionSeasons": "Stagioni", - "PasswordResetHeader": "Ripristina Password", - "OptionSaturday": "Sabato", + "OptionEpisodes": "Episodi", "OptionGames": "Giochi", - "PasswordResetComplete": "la password \u00e8 stata ripristinata.", - "HeaderSpecials": "Speciali", "OptionGameSystems": "Configurazione gioco", - "PasswordResetConfirmation": "Sei sicuro di voler ripristinare la password?", - "MessagePlaybackErrorNoCompatibleStream": "Nessuna trasmissione compatibile \u00e8 al momento disponibile. Per favore riprova in seguito o contatta il tuo Amministratore di sistema per chiarimenti", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Artisti", - "PasswordSaved": "Password salvata.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Album", - "PasswordMatchError": "Le password non coincidono.", - "HeaderResolution": "Risoluzione", - "LabelFailed": "(fallito)", "OptionMusicVideos": "Video", - "MessagePlaybackErrorRateLimitExceeded": "La tua quota di riproduzione \u00e8 stata raggiunta. Per favore contatta l'amministratore del sistema per ulteriori dettagli", - "HeaderVideo": "Video", - "ButtonSelect": "Seleziona", - "LabelVersionNumber": "Versione {0}", "OptionSongs": "Canzoni", - "HeaderRuntime": "Durata", - "LabelPlayMethodTranscoding": "Trascodifica", "OptionHomeVideos": "Video personali", - "ButtonSave": "Salva", - "HeaderCommunityRating": "Voto Comunit\u00e0", - "LabelSeries": "Serie TV", - "LabelPlayMethodDirectStream": "Streaming Diretto", "OptionBooks": "Libri", - "HeaderParentalRating": "Voto genitore", - "LabelSeasonNumber": "Numero Stagione:", - "HeaderChannels": "Canali", - "LabelPlayMethodDirectPlay": "Riproduzione Diretta", "OptionAdultVideos": "Video per adulti", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Data Rilascio", - "LabelEpisodeNumber": "Numero Episodio :", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Su", - "LabelUnknownLanaguage": "lingua sconosciuta", - "HeaderDateAdded": "Aggiunto il", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Giu", - "HeaderCurrentSubtitles": "Sottotitoli correnti", - "ButtonPlayExternalPlayer": "Play con un lettore esterno", - "HeaderSeries": "Serie", - "TabServer": "Server", - "TabSeries": "Serie TV", - "LabelRemoteAccessUrl": "Accesso remoto: {0}", "LabelMetadataReaders": "Lettori Metadati:", - "MessageDownloadQueued": "Il download \u00e8 stato accodato.", - "HeaderSelectExternalPlayer": "Seleziona il lettore esterno", - "HeaderSeason": "Stagione", - "HeaderSupportTheTeam": "Supporta il Team di Emby", - "LabelRunningOnPort": "In esecuzione sulla porta HTTP {0}.", "LabelMetadataReadersHelp": "Classificare le origini metadati locali preferite in ordine di priorit\u00e0. Il primo file trovato verr\u00e0 letto.", - "MessageAreYouSureDeleteSubtitles": "Sei sicuro di voler cancellare questo file dei sottotitoli?", - "HeaderExternalPlayerPlayback": "Riproduzione con un player esterno", - "HeaderSeasonNumber": "Stagione Numero", - "LabelRunningOnPorts": "In esecuzione sulla porta HTTP {0}, e porta HTTPS {1}", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "Ho fatto", - "HeaderNetwork": "Rete", "LabelMetadataDownloadersHelp": "Abilitare e classificare i tuoi downloader metadati preferite in ordine di priorit\u00e0. Downloader di priorit\u00e0 inferiori saranno utilizzati solo per riempire le informazioni mancanti.", - "HeaderLatestMedia": "Ultimi Media", - "HeaderYear": "Anno", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Gioco Sistema", - "MessagePleaseSupportProject": "Per favore, sostieni Emby.", "LabelMetadataSaversHelp": "Scegliere i formati di file per salvare i metadati", - "HeaderPlayers": "Giocatori", "LabelImageFetchers": "Immagini compatibili:", - "HeaderEmbeddedImage": "Immagine incorporata", - "ButtonNew": "Nuovo", "LabelImageFetchersHelp": "Abilitare e classificare i tuoi Fetchers immagini preferite in ordine di priorit\u00e0.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Traccia", - "HeaderWelcomeToProjectServerDashboard": "Benvenuto nel Pannello di controllo del Server Emby", - "TabMetadata": "Metadati", - "HeaderDisc": "Disco", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Nome:", - "LabelAddedOnDate": "Aggiunto {0}", - "ButtonRemove": "Rimuovi", - "ButtonStart": "Avvio", - "HeaderEmbyAccountAdded": "Account Emby aggiunto", - "HeaderBlockItemsWithNoRating": "Bloccare i contenuti senza informazioni valutazione:", - "LabelLocalAccessUrl": "Accesso locale {0}", - "OptionBlockOthers": "Altri", - "SyncJobStatusReadyToTransfer": "Pronti a trasferire", - "OptionBlockTvShows": "Serie TV", - "SyncJobItemStatusReadyToTransfer": "Pronti a trasferire", - "MessageEmbyAccountAdded": "L'account Emby \u00e8 stato aggiunto a questo utente", - "OptionBlockTrailers": "Trailer", - "OptionBlockMusic": "Musica", - "OptionBlockMovies": "Film", - "HeaderAllRecordings": "Tutte le registrazioni", - "MessagePendingEmbyAccountAdded": "L'account Emby \u00e8 stato aggiunto a questo utente. Un'email sar\u00e0 inviata al proprietario dell'account. L'invito dovr\u00e0 essere confermato selezionando il link contenuto nell'email", - "OptionBlockBooks": "Libri", - "ButtonPlay": "Riproduci", - "OptionBlockGames": "Giochi", - "MessageKeyEmailedTo": "Chiave inviata all'email {0}.", + "ButtonQueueAllFromHere": "Coda tutto da qui", + "ButtonPlayAllFromHere": "play tutto da qui", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identificare Elemento", + "PersonTypePerson": "Persona", + "LabelTitleDisplayOrder": "Titolo mostrato in ordine:", + "OptionSortName": "Nome ordinato", + "LabelDiscNumber": "Disco numero", + "LabelParentNumber": "Numero superiore", + "LabelTrackNumber": "Traccia numero:", + "LabelNumber": "Numero:", + "LabelReleaseDate": "Data di rilascio:", + "LabelEndDate": "Fine data:", + "LabelYear": "Anno:", + "LabelDateOfBirth": "Data nascita:", + "LabelBirthYear": "Anno nascita:", + "LabelBirthDate": "Data nascita:", + "LabelDeathDate": "Anno morte:", + "HeaderRemoveMediaLocation": "Rimuovi percorso media", + "MessageConfirmRemoveMediaLocation": "Sei sicuro di voler rimuovere questa posizione?", + "HeaderRenameMediaFolder": "Rinomina cartella", + "LabelNewName": "Nuovo nome:", + "HeaderAddMediaFolder": "Aggiungi cartella", + "HeaderAddMediaFolderHelp": "Nome (film,musica,tv etc ):", + "HeaderRemoveMediaFolder": "Rimuovi cartella", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "I seguenti percorsi multimediali saranno rimossi dalla libreria:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Sei sicuro di voler rimuovere questa posizione?", + "ButtonRename": "Rinomina", + "ButtonChangeType": "Cambia tipo", + "HeaderMediaLocations": "Posizioni Media", + "LabelContentTypeValue": "Tipo di contenuto {0}", + "LabelPathSubstitutionHelp": "Opzionale: cambio Path pu\u00f2 mappare i percorsi del server a condivisioni di rete che i clienti possono accedere per la riproduzione diretta.", + "FolderTypeUnset": "Disinserito (contenuto misto)", + "FolderTypeMovies": "Film", + "FolderTypeMusic": "Musica", + "FolderTypeAdultVideos": "Video per adulti", + "FolderTypePhotos": "Foto", + "FolderTypeMusicVideos": "Video musicali", + "FolderTypeHomeVideos": "Video personali", + "FolderTypeGames": "Giochi", + "FolderTypeBooks": "Libri", + "FolderTypeTvShows": "Tv", + "TabMovies": "Film", + "TabSeries": "Serie TV", + "TabEpisodes": "Episodi", + "TabTrailers": "Trailer", "TabGames": "Giochi", - "ButtonEdit": "Modifica", - "OptionBlockLiveTvPrograms": "Programmi TV in onda", - "MessageKeysLinked": "Chiave Collegata.", - "HeaderEmbyAccountRemoved": "Account Emby rimosso", - "OptionBlockLiveTvChannels": "Canali TV in onda", - "HeaderConfirmation": "Conferma", + "TabAlbums": "Album", + "TabSongs": "Canzoni", + "TabMusicVideos": "Video Musicali", + "BirthPlaceValue": "Luogo di nascita: {0}", + "DeathDateValue": "Morto: {0}", + "BirthDateValue": "Nato: {0}", + "HeaderLatestReviews": "Ultime recensioni", + "HeaderPluginInstallation": "Installazione Plugin", + "MessageAlreadyInstalled": "Questa versione \u00e8 gi\u00e0 installata.", + "ValueReviewCount": "{0} recensioni", + "MessageYouHaveVersionInstalled": "Attualmente hai la versione {0} installato.", + "MessageTrialExpired": "Il periodo di prova per questa funzione \u00e8 scaduto.", + "MessageTrialWillExpireIn": "Il periodo di prova per questa funzione scadr\u00e0 in {0} giorni", + "MessageInstallPluginFromApp": "Questo Plugin deve essere installato dall'app in cui vuoi farlo funzionare", + "ValuePriceUSD": "Prezzo: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Siete registrati per questa funzione, e sarete in grado di continuare ad usarlo con un abbonamento attivo sostenitore.", + "MessageChangeRecurringPlanConfirm": "Dopo aver completato questa transazione dovrai cancellare dal tuo account PayPal la tua precedente donazione ricorrente. Grazie per aver sostenuto Emby.", + "MessageSupporterMembershipExpiredOn": "La tua iscrizione supporter scaduto il {0}.", + "MessageYouHaveALifetimeMembership": "Tu hai un abbonamento come Supporter che non ha scadenza. Puoi fare ulteriori donazioni, singole o ricorrenti, scegliendo le opzioni sottostanti. Grazie per il tuo sostegno a Emby", + "MessageYouHaveAnActiveRecurringMembership": "Si dispone di un attivo {0} appartenenza. \u00c8 possibile aggiornare il vostro piano utilizzando le opzioni di seguito.", "ButtonDelete": "Elimina", - "OptionBlockChannelContent": "Contenuto di Canali Internet", - "MessageKeyUpdated": "Grazie. La vostra chiave supporter \u00e8 stato aggiornato.", - "MessageKeyRemoved": "Grazie. La vostra chiave supporter \u00e8 stata rimossa.", - "OptionMovies": "Film", - "MessageEmbyAccontRemoved": "L'account Emby \u00e8 stato rimosso da questo utente", - "HeaderSearch": "Ricerca", - "OptionEpisodes": "Episodi", - "LabelArtist": "Artista", - "LabelMovie": "Film", - "HeaderPasswordReset": "Reset della Password", - "TooltipLinkedToEmbyConnect": "Collegato ad Emby Connect", - "LabelMusicVideo": "Video Musicali", - "LabelEpisode": "Episodio", - "LabelAbortedByServerShutdown": "(Interrotto dallo spegnimento del server)", - "HeaderConfirmSeriesCancellation": "Conferma cancellazione serie", - "LabelStopping": "Sto fermando", - "MessageConfirmSeriesCancellation": "Sei sicuro di voler cancellare questa serie?", - "LabelCancelled": "(cancellato)", - "MessageSeriesCancelled": "Serie cancellata", - "HeaderConfirmDeletion": "Conferma Cancellazione", - "MessageConfirmPathSubstitutionDeletion": "Sei sicuro di voler cancellare questa sostituzione percorso?", - "LabelScheduledTaskLastRan": "Ultima esecuzione {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Aggiornamento disponibile)", - "TitleLiveTV": "Tv in diretta", - "HeaderDeleteTaskTrigger": "Elimina Operazione pianificata", - "LabelVersionUpToDate": "Aggiornato!", - "ButtonTakeTheTour": "Fai una visita", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Trama", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sincronizza il tuo personal media per i dispositivi per la visualizzazione offline.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sincronizza il tuo personal media per i dispositivi per la visualizzazione offline.", - "MessageRefreshQueued": "Aggiornamento programmato", - "DashboardTourHelp": "In-app help offre pulsanti facili da aprire le pagine wiki relative al contenuto sullo schermo.", - "DeviceLastUsedByUserName": "Ultimo utilizzata da {0}", - "HeaderDeleteDevice": "Elimina dispositivo", - "DeleteDeviceConfirmation": "Sei sicuro di voler cancellare questo dispositivo? Esso riapparir\u00e0 la prossima volta che un utente accede con esso.", - "LabelEnableCameraUploadFor": "Abilita caricamento macchina fotografica per:", - "HeaderSelectUploadPath": "Seleziona cartella upload", - "LabelEnableCameraUploadForHelp": "Gli upload saranno eseguiti automaticamente in background quando sei collegato a Emby", - "ButtonLibraryAccess": "Accesso biblioteca", - "ButtonParentalControl": "Controllo parentale", - "TabDevices": "Dispositivi", - "LabelItemLimit": "limite elementi:", - "HeaderAdvanced": "Avanzato", - "LabelItemLimitHelp": "Opzionale. Impostare un limite al numero di elementi che verranno sincronizzati.", - "MessageBookPluginRequired": "Richiede l'installazione del plugin Bookshelf", + "HeaderEmbyAccountAdded": "Account Emby aggiunto", + "MessageEmbyAccountAdded": "L'account Emby \u00e8 stato aggiunto a questo utente", + "MessagePendingEmbyAccountAdded": "L'account Emby \u00e8 stato aggiunto a questo utente. Un'email sar\u00e0 inviata al proprietario dell'account. L'invito dovr\u00e0 essere confermato selezionando il link contenuto nell'email", + "HeaderEmbyAccountRemoved": "Account Emby rimosso", + "MessageEmbyAccontRemoved": "L'account Emby \u00e8 stato rimosso da questo utente", + "TooltipLinkedToEmbyConnect": "Collegato ad Emby Connect", + "HeaderUnrated": "Non votato", + "ValueDiscNumber": "Disco {0}", + "HeaderUnknownDate": "Data Sconosciuta", + "HeaderUnknownYear": "Anno Sconosciuto", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Play con un lettore esterno", + "HeaderSelectExternalPlayer": "Seleziona il lettore esterno", + "HeaderExternalPlayerPlayback": "Riproduzione con un player esterno", + "ButtonImDone": "Ho fatto", + "OptionWatched": "Visto", + "OptionUnwatched": "Non visto", + "ExternalPlayerPlaystateOptionsHelp": "Specificare come si desidera riprendere la riproduzione di questo video la prossima volta.", + "LabelMarkAs": "Segna come:", + "OptionInProgress": "In Corso", + "LabelResumePoint": "Punto di ripristino:", + "ValueOneMovie": "1 film", + "ValueMovieCount": "{0} film", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailer", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} serie", + "ValueOneEpisode": "1 episodio", + "ValueEpisodeCount": "{0} episodi", + "ValueOneGame": "1 gioco", + "ValueGameCount": "{0} giochi", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} album", + "ValueOneSong": "1 canzone", + "ValueSongCount": "{0} Canzoni", + "ValueOneMusicVideo": "1 video musicale", + "ValueMusicVideoCount": "{0} video musicali", + "HeaderOffline": "Spento", + "HeaderUnaired": "mai in onda", + "HeaderMissing": "Assente", + "ButtonWebsite": "Web", + "TooltipFavorite": "Preferito", + "TooltipLike": "Bello", + "TooltipDislike": "Brutto", + "TooltipPlayed": "Visto", + "ValueSeriesYearToPresent": "{0}-Presenti", + "ValueAwards": "Premi: {0}", + "ValueBudget": "Budget: {0}", + "ValueRevenue": "Entrate: {0}", + "ValuePremiered": "Debuttato {0}", + "ValuePremieres": "Debuttato {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studi: {0}", + "ValueStatus": "Stato {0}", + "ValueSpecialEpisodeName": "Speciali - {0}", + "LabelLimit": "Limite:", + "ValueLinks": "Collegamenti: {0}", + "HeaderPeople": "Persone", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Richiede l'installazione del plugin GameBrowser", "ValueArtist": "Artista: {0}", "ValueArtists": "Artisti: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera modello", "MediaInfoAltitude": "Altitudine", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitudine", "MediaInfoShutterSpeed": "velocit\u00e0 otturatore", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifiche", "HeaderIfYouLikeCheckTheseOut": "Se ti piace {0}, guarda questi ...", + "HeaderPlotKeywords": "Trama", "HeaderMovies": "Film", "HeaderAlbums": "Album", "HeaderGames": "Giochi", - "HeaderConnectionFailure": "Errore di connessione", "HeaderBooks": "Libri", - "MessageUnableToConnectToServer": "Non siamo in grado di connettersi al server selezionato al momento. Per favore assicurati che sia in esecuzione e riprova.", - "MessageUnsetContentHelp": "Il contenuto verr\u00e0 visualizzato come pianura cartelle. Per ottenere i migliori risultati utilizzare il gestore di metadati per impostare i tipi di contenuto di sottocartelle.", + "HeaderEpisodes": "Episodi", "HeaderSeasons": "Stagioni", "HeaderTracks": "Traccia", "HeaderItems": "Elementi", @@ -653,153 +632,178 @@ "ButtonFullReview": "Trama completa", "ValueAsRole": "Come {0}", "ValueGuestStar": "Personaggi famosi", - "HeaderInviteGuest": "Invita Ospite", "MediaInfoSize": "Dimensione", "MediaInfoPath": "Percorso", - "MessageConnectAccountRequiredToInviteGuest": "Per invitare gli amici \u00e8 necessario innanzitutto collegare l'account Emby a questo server.", "MediaInfoFormat": "Formato", "MediaInfoContainer": "Contenitore", "MediaInfoDefault": "Default", "MediaInfoForced": "Forzato", - "HeaderSettings": "Configurazione", "MediaInfoExternal": "Esterno", - "OptionAutomaticallySyncNewContent": "Sincronizza automaticamente nuovi contenuti", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "Nuovi contenuti aggiunti a questa categoria viene sincronizzata automaticamente al dispositivo.", "MediaInfoPixelFormat": "Formato Pixel", - "OptionSyncUnwatchedVideosOnly": "Sincronizza solo i video non visti", "MediaInfoBitDepth": "Profondit\u00e0 Bit", - "OptionSyncUnwatchedVideosOnlyHelp": "Solo i video non visti saranno sincronizzati, e video saranno rimossi dal dispositivo in cui sono guardato.", "MediaInfoSampleRate": "frequenza di campion.", - "ButtonSync": "Sinc.", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Canali", "MediaInfoLayout": "disposizione", "MediaInfoLanguage": "Lingua", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profilo", "MediaInfoLevel": "Livello", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Formato", "MediaInfoResolution": "Risoluzione", "MediaInfoAnamorphic": "Anamorfico", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlacciato", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Dati", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Sottotitolo", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Immagine incorporata", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", - "ButtonSelectServer": "Selezionare il server", - "ButtonManageServer": "Manage Server", + "TabPlayback": "Riproduzione", + "TabNotifications": "Notifiche", + "TabExpert": "Esperto", + "HeaderSelectCustomIntrosPath": "Selezionare Intro Path Personalizzata", + "HeaderRateAndReview": "Punteggio e Commenti", + "HeaderThankYou": "Grazie", + "MessageThankYouForYourReview": "Grazie per la tua opinione.", + "LabelYourRating": "Il tuo voto:", + "LabelFullReview": "Recensione completa:", + "LabelShortRatingDescription": "Breve riassunto Valutazione:", + "OptionIRecommendThisItem": "Consiglio questo elemento", + "WebClientTourContent": "Visualizza i file multimediali aggiunti di recente, i prossimi episodi, e altro ancora. I cerchi verdi indicano quanti oggetti unplayed avete.", + "WebClientTourMovies": "Riprodurre filmati, trailer e altro da qualsiasi dispositivo con un browser web", + "WebClientTourMouseOver": "Tenete il mouse su ogni manifesto per un rapido accesso alle informazioni importanti", + "WebClientTourTapHold": "Toccare e tenere premuto o fare clic destro qualsiasi manifesto per un menu di scelta rapida", + "WebClientTourMetadataManager": "Fare clic su Modifica per aprire la gestione dei metadati", + "WebClientTourPlaylists": "Facile creazione di playlist , e riprodurli su qualsiasi dispositivo", + "WebClientTourCollections": "Creare collezioni di film di casella di gruppo imposta insieme", + "WebClientTourUserPreferences1": "Le Preferenze Utente consentono di personalizzare il modo in cui la tua libreria viene presentata in tutte le app Emby", + "WebClientTourUserPreferences2": "Configura le impostazioni audio e la lingua dei sottotitoli valide per tutte le app Emby", + "WebClientTourUserPreferences3": "Progettare la home page del client web a proprio piacimento", + "WebClientTourUserPreferences4": "Configurare fondali, sigle e lettori esterni", + "WebClientTourMobile1": "Il client web funziona alla grande su smartphone e tablet ...", + "WebClientTourMobile2": "e controlla facilmente altri dispositivi e app Emby", + "WebClientTourMySync": "Sincronizza il tuo personal media per i dispositivi per la visualizzazione offline.", + "MessageEnjoyYourStay": "Godetevi il vostro soggiorno", + "DashboardTourDashboard": "Il pannello di controllo del server consente di monitorare il vostro server e gli utenti. Potrai sempre sapere chi sta facendo cosa e dove sono.", + "DashboardTourHelp": "In-app help offre pulsanti facili da aprire le pagine wiki relative al contenuto sullo schermo.", + "DashboardTourUsers": "Facile creazione di account utente per i vostri amici e la famiglia, ognuno con le proprie autorizzazioni, accesso alla libreria, controlli parentali e altro ancora.", + "DashboardTourCinemaMode": "Modalit\u00e0 Cinema porta l'esperienza del teatro direttamente nel tuo salotto con la possibilit\u00e0 di giocare trailer e intro personalizzati prima la caratteristica principale.", + "DashboardTourChapters": "Abilita capitolo generazione di immagini per i vostri video per una presentazione pi\u00f9 gradevole durante la visualizzazione.", + "DashboardTourSubtitles": "Scaricare automaticamente i sottotitoli per i tuoi video in qualsiasi lingua.", + "DashboardTourPlugins": "Installare il plugin come canali internet video, live tv, scanner metadati e altro ancora.", + "DashboardTourNotifications": "Inviare automaticamente notifiche di eventi server al vostro dispositivo mobile, e-mail e altro ancora.", + "DashboardTourScheduledTasks": "Gestire facilmente le operazioni di lunga esecuzione con le operazioni pianificate. Decidere quando corrono, e con quale frequenza.", + "DashboardTourMobile": "Il Pannello di Controllo del Server Emby funziona bene su smartphone e tablet. Gestisci il tuo server con il palmo della tua mano, quando vuoi, dove vuoi", + "DashboardTourSync": "Sincronizza il tuo personal media per i dispositivi per la visualizzazione offline.", + "MessageRefreshQueued": "Aggiornamento programmato", + "TabDevices": "Dispositivi", + "TabExtras": "Extra", + "DeviceLastUsedByUserName": "Ultimo utilizzata da {0}", + "HeaderDeleteDevice": "Elimina dispositivo", + "DeleteDeviceConfirmation": "Sei sicuro di voler cancellare questo dispositivo? Esso riapparir\u00e0 la prossima volta che un utente accede con esso.", + "LabelEnableCameraUploadFor": "Abilita caricamento macchina fotografica per:", + "HeaderSelectUploadPath": "Seleziona cartella upload", + "LabelEnableCameraUploadForHelp": "Gli upload saranno eseguiti automaticamente in background quando sei collegato a Emby", + "ErrorMessageStartHourGreaterThanEnd": "Ora di fine deve essere maggiore del tempo di avvio.", + "ButtonLibraryAccess": "Accesso biblioteca", + "ButtonParentalControl": "Controllo parentale", + "HeaderInvitationSent": "Invito inviato", + "MessageInvitationSentToUser": "Una e-mail \u00e8 stata inviata a {0}, invitandoli ad accettare l'invito di condivisione.", + "MessageInvitationSentToNewUser": "Un'email \u00e8 stata inviata a {0} invitandolo a registrarsi a Emby", + "HeaderConnectionFailure": "Errore di connessione", + "MessageUnableToConnectToServer": "Non siamo in grado di connettersi al server selezionato al momento. Per favore assicurati che sia in esecuzione e riprova.", + "ButtonSelectServer": "Select Server", "MessagePluginConfigurationRequiresLocalAccess": "Per configurare questo plugin si prega di accedere al proprio server locale direttamente.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "L'accesso \u00e8 attualmente limitato. Si prega di riprovare pi\u00f9 tardi.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profilo:", + "DefaultErrorMessage": "Si \u00e8 verificato un errore durante l'elaborazione della richiesta. Si prega di riprovare pi\u00f9 tardi.", + "ButtonAccept": "Accetta", + "ButtonReject": "Rifiuta", + "HeaderForgotPassword": "Password dimenticata", + "MessageContactAdminToResetPassword": "Si prega di contattare l'amministratore di sistema per reimpostare la password.", + "MessageForgotPasswordInNetworkRequired": "Riprova all'interno della rete domestica per avviare il processo di reimpostazione della password.", + "MessageForgotPasswordFileCreated": "Il seguente file \u00e8 stato creato sul server e contiene le istruzioni su come procedere:", + "MessageForgotPasswordFileExpiration": "Il pin scadr\u00e0 {0}.", + "MessageInvalidForgotPasswordPin": "Un pin Invalido o scaduto \u00e8 stato inserito. Riprova.", + "MessagePasswordResetForUsers": "Le password per i seguenti utenti sono state rimosse:", + "HeaderInviteGuest": "Invita Ospite", + "ButtonLinkMyEmbyAccount": "Collega il mio account ora", + "MessageConnectAccountRequiredToInviteGuest": "Per invitare gli amici \u00e8 necessario innanzitutto collegare l'account Emby a questo server.", + "ButtonSync": "Sinc.", "SyncMedia": "Sync media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "La cancellazione dell'attivit\u00e0 di sincronizzazione causer\u00e0 la rimozione dal dispositivo dei media sincronizzati durante il prossimo processo di sincronizzazione. Sei sicuro di voler comunque procedere?", + "TabSync": "Sinc", "MessagePleaseSelectDeviceToSyncTo": "Selezionare un dispositivo per la sincronizzazione", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Attivit\u00e0 di Sincronizz. Creata", "LabelSyncTo": "Sincronizza su:", - "LabelLimit": "Limite:", "LabelSyncJobName": "Nome Attivit\u00e0 di Sincroniz.:", - "HeaderNewServer": "New Server", - "ValueLinks": "Collegamenti: {0}", "LabelQuality": "Qualit\u00e0:", - "MyDevice": "My Device", - "DefaultErrorMessage": "Si \u00e8 verificato un errore durante l'elaborazione della richiesta. Si prega di riprovare pi\u00f9 tardi.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accetta", - "ButtonReject": "Rifiuta", - "DashboardTourDashboard": "Il pannello di controllo del server consente di monitorare il vostro server e gli utenti. Potrai sempre sapere chi sta facendo cosa e dove sono.", - "DashboardTourUsers": "Facile creazione di account utente per i vostri amici e la famiglia, ognuno con le proprie autorizzazioni, accesso alla libreria, controlli parentali e altro ancora.", - "DashboardTourCinemaMode": "Modalit\u00e0 Cinema porta l'esperienza del teatro direttamente nel tuo salotto con la possibilit\u00e0 di giocare trailer e intro personalizzati prima la caratteristica principale.", - "DashboardTourChapters": "Abilita capitolo generazione di immagini per i vostri video per una presentazione pi\u00f9 gradevole durante la visualizzazione.", - "DashboardTourSubtitles": "Scaricare automaticamente i sottotitoli per i tuoi video in qualsiasi lingua.", - "DashboardTourPlugins": "Installare il plugin come canali internet video, live tv, scanner metadati e altro ancora.", - "DashboardTourNotifications": "Inviare automaticamente notifiche di eventi server al vostro dispositivo mobile, e-mail e altro ancora.", - "DashboardTourScheduledTasks": "Gestire facilmente le operazioni di lunga esecuzione con le operazioni pianificate. Decidere quando corrono, e con quale frequenza.", - "DashboardTourMobile": "Il Pannello di Controllo del Server Emby funziona bene su smartphone e tablet. Gestisci il tuo server con il palmo della tua mano, quando vuoi, dove vuoi", - "HeaderEpisodes": "Episodi", - "HeaderSelectCustomIntrosPath": "Selezionare Intro Path Personalizzata", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Configurazione", + "OptionAutomaticallySyncNewContent": "Sincronizza automaticamente nuovi contenuti", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sincronizza solo i video non visti", + "OptionSyncUnwatchedVideosOnlyHelp": "Solo i video non visti saranno sincronizzati, e video saranno rimossi dal dispositivo in cui sono guardato.", + "LabelItemLimit": "limite elementi:", + "LabelItemLimitHelp": "Opzionale. Impostare un limite al numero di elementi che verranno sincronizzati.", + "MessageBookPluginRequired": "Richiede l'installazione del plugin Bookshelf", + "MessageGamePluginRequired": "Richiede l'installazione del plugin GameBrowser", + "MessageUnsetContentHelp": "Il contenuto verr\u00e0 visualizzato come pianura cartelle. Per ottenere i migliori risultati utilizzare il gestore di metadati per impostare i tipi di contenuto di sottocartelle.", "SyncJobItemStatusQueued": "In coda", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Conversione", "SyncJobItemStatusTransferring": "Trasferimento", "SyncJobItemStatusSynced": "Sincronizzato", - "TabSync": "Sinc", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Fallito", - "TabPlayback": "Riproduzione", "SyncJobItemStatusRemovedFromDevice": "Rimosso dal dispositivo", "SyncJobItemStatusCancelled": "Cancellato", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profilo:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Password dimenticata", - "MessageContactAdminToResetPassword": "Si prega di contattare l'amministratore di sistema per reimpostare la password.", - "MessageForgotPasswordInNetworkRequired": "Riprova all'interno della rete domestica per avviare il processo di reimpostazione della password.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "Il seguente file \u00e8 stato creato sul server e contiene le istruzioni su come procedere:", - "TabExpert": "Esperto", - "HeaderInvitationSent": "Invito inviato", - "MessageForgotPasswordFileExpiration": "Il pin scadr\u00e0 {0}.", - "MessageInvitationSentToUser": "Una e-mail \u00e8 stata inviata a {0}, invitandoli ad accettare l'invito di condivisione.", - "MessageInvalidForgotPasswordPin": "Un pin Invalido o scaduto \u00e8 stato inserito. Riprova.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extra", - "MessageInvitationSentToNewUser": "Un'email \u00e8 stata inviata a {0} invitandolo a registrarsi a Emby", - "MessagePasswordResetForUsers": "Le password per i seguenti utenti sono state rimosse:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "Visualizza i file multimediali aggiunti di recente, i prossimi episodi, e altro ancora. I cerchi verdi indicano quanti oggetti unplayed avete.", - "HeaderPeople": "Persone", "OptionEnableFullscreen": "Enable Fullscreen", - "WebClientTourMovies": "Riprodurre filmati, trailer e altro da qualsiasi dispositivo con un browser web", - "WebClientTourMouseOver": "Tenete il mouse su ogni manifesto per un rapido accesso alle informazioni importanti", - "HeaderRateAndReview": "Punteggio e Commenti", - "ErrorMessageStartHourGreaterThanEnd": "Ora di fine deve essere maggiore del tempo di avvio.", - "WebClientTourTapHold": "Toccare e tenere premuto o fare clic destro qualsiasi manifesto per un menu di scelta rapida", - "HeaderThankYou": "Grazie", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Fare clic su Modifica per aprire la gestione dei metadati", - "MessageThankYouForYourReview": "Grazie per la tua opinione.", - "WebClientTourPlaylists": "Facile creazione di playlist , e riprodurli su qualsiasi dispositivo", - "LabelYourRating": "Il tuo voto:", - "WebClientTourCollections": "Creare collezioni di film di casella di gruppo imposta insieme", - "LabelFullReview": "Recensione completa:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "Le Preferenze Utente consentono di personalizzare il modo in cui la tua libreria viene presentata in tutte le app Emby", - "LabelShortRatingDescription": "Breve riassunto Valutazione:", - "WebClientTourUserPreferences2": "Configura le impostazioni audio e la lingua dei sottotitoli valide per tutte le app Emby", - "OptionIRecommendThisItem": "Consiglio questo elemento", - "ButtonLinkMyEmbyAccount": "Collega il mio account ora", - "WebClientTourUserPreferences3": "Progettare la home page del client web a proprio piacimento", "HeaderLibrary": "Library", - "WebClientTourUserPreferences4": "Configurare fondali, sigle e lettori esterni", - "WebClientTourMobile1": "Il client web funziona alla grande su smartphone e tablet ...", - "WebClientTourMobile2": "e controlla facilmente altri dispositivi e app Emby", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Godetevi il vostro soggiorno" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Avanzato", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json index aa5c795561..b3b36ebf38 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", + "AddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", + "Users": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", + "Delete": "\u0416\u043e\u044e", + "Administrator": "\u04d8\u043a\u0456\u043c\u0448\u0456", + "Password": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", + "DeleteImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e", + "MessageThankYouForSupporting": "Emby \u0436\u0430\u049b\u0442\u0430\u0493\u0430\u043d\u044b\u04a3\u044b\u0437\u0493\u0430 \u0430\u043b\u0493\u044b\u0441.", + "MessagePleaseSupportProject": "Emby \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437.", + "DeleteImageConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0431\u04b1\u043b \u0441\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "FileReadCancelled": "\u0424\u0430\u0439\u043b \u043e\u049b\u0443\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", + "FileNotFound": "\u0424\u0430\u0439\u043b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", + "FileReadError": "\u0424\u0430\u0439\u043b\u0434\u044b \u043e\u049b\u044b\u043f \u0436\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u049b\u0430\u0442\u0435 \u043f\u0430\u0439\u0434\u0430 \u0431\u043e\u043b\u0434\u044b.", + "DeleteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "DeleteUserConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "PasswordResetHeader": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", + "PasswordResetComplete": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u044b\u0441\u044b\u0440\u044b\u043b\u0434\u044b.", + "PinCodeResetComplete": "PIN-\u043a\u043e\u0434 \u044b\u0441\u044b\u0440\u044b\u043b\u0434\u044b", + "PasswordResetConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "PinCodeResetConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d PIN-\u043a\u043e\u0434\u0442\u044b \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "HeaderPinCodeReset": "PIN-\u043a\u043e\u0434\u0442\u044b \u044b\u0441\u044b\u0440\u0443", + "PasswordSaved": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", + "PasswordMatchError": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456 \u043c\u0435\u043d \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0440\u0430\u0441\u0442\u0430\u0443 \u04e9\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0441\u04d9\u0439\u043a\u0435\u0441 \u0431\u043e\u043b\u0443 \u043a\u0435\u0440\u0435\u043a.", + "OptionRelease": "\u0420\u0435\u0441\u043c\u0438 \u0448\u044b\u0493\u0430\u0440\u044b\u043b\u044b\u043c", + "OptionBeta": "\u0411\u0435\u0442\u0430 \u043d\u04b1\u0441\u049b\u0430", + "OptionDev": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443 (\u0442\u04b1\u0440\u0430\u049b\u0441\u044b\u0437)", + "UninstallPluginHeader": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u044b\u043d \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "UninstallPluginConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d {0} \u043e\u0440\u043d\u0430\u0442\u0443\u044b\u043d \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "NoPluginConfigurationMessage": "\u041e\u0441\u044b \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435 \u0435\u0448\u0442\u0435\u04a3\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0442\u0456\u043d \u0436\u043e\u049b.", + "NoPluginsInstalledMessage": "\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b.", + "BrowsePluginCatalogMessage": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.", + "MessageKeyEmailedTo": "\u041a\u0456\u043b\u0442 {0} \u04af\u0448\u0456\u043d \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u0434\u044b \u043f\u043e\u0448\u0442\u0430\u043c\u0435\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", + "MessageKeysLinked": "\u041a\u0456\u043b\u0442\u0442\u0435\u0440 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0434\u044b.", + "HeaderConfirmation": "\u0420\u0430\u0441\u0442\u0430\u0443", + "MessageKeyUpdated": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u04a3\u0456\u0437 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b.", + "MessageKeyRemoved": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u04a3\u0456\u0437 \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b.", + "HeaderSupportTheTeam": "Emby \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437", + "TextEnjoyBonusFeatures": "\u0421\u044b\u0439\u0430\u049b\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437", + "TitleLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", + "ButtonCancelSyncJob": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0434\u0456 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "TitleSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "HeaderSelectDate": "\u041a\u04af\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", + "ButtonDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0430\u0443", + "LabelRecurringDonationCanBeCancelledHelp": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u0430\u0440 PayPal \u0435\u0441\u0435\u043f \u0448\u043e\u0442\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u04d9\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0434\u0430 \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", + "HeaderMyMedia": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c", + "TitleNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", + "ErrorLaunchingChromecast": "Chromecast \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u04a3\u044b\u0437 \u0441\u044b\u043c\u0441\u044b\u0437 \u0436\u0435\u043b\u0456\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", + "MessageErrorLoadingSupporterInfo": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "MessageLinkYourSupporterKey": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u043b\u0430\u0440\u0493\u0430 \u0442\u0435\u0433\u0456\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u0443 \u04af\u0448\u0456\u043d {0} Emby Connect \u043c\u04af\u0448\u0435\u0441\u0456\u043d\u0435 \u0434\u0435\u0439\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u04a3\u044b\u0437.", + "HeaderConfirmRemoveUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "MessageSwipeDownOnRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0493\u0430 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437. \u0411\u0430\u0441\u049b\u0430\u0440\u044b\u043b\u0430\u0442\u044b\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u0493\u0430\u0440\u044b \u043e\u04a3 \u0431\u04b1\u0440\u044b\u0448\u0442\u0430\u0493\u044b \u0442\u0430\u0440\u0430\u0442\u0443 \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043d \u043d\u04b1\u049b\u044b\u043f \u0442\u0430\u043d\u0434\u0430\u04a3\u044b\u0437. \u041e\u0441\u044b \u044d\u043a\u0440\u0430\u043d\u0434\u044b\u04a3 \u049b\u0430\u0439 \u0436\u0435\u0440\u0456\u043d\u0434\u0435 \u0442\u04e9\u043c\u0435\u043d\u0433\u0435 \u0441\u0438\u043f\u0430\u043f \u043e\u0442\u0456\u043f \u043a\u0435\u043b\u0433\u0435\u043d \u0436\u0435\u0440\u0456\u04a3\u0456\u0437\u0433\u0435 \u049b\u0430\u0439\u0442\u0430 \u043e\u0440\u0430\u043b\u044b\u04a3\u044b\u0437.", + "MessageConfirmRemoveConnectSupporter": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "ValueTimeLimitSingleHour": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456: 1 \u0441\u0430\u0493\u0430\u0442", + "ValueTimeLimitMultiHour": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456: {0} \u0441\u0430\u0493\u0430\u0442", + "HeaderUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", + "PluginCategoryGeneral": "\u0416\u0430\u043b\u043f\u044b", + "PluginCategoryContentProvider": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456\u043b\u0435\u0440", + "PluginCategoryScreenSaver": "\u042d\u043a\u0440\u0430\u043d \u049b\u043e\u0440\u0493\u0430\u0443\u044b\u0448\u0442\u0430\u0440", + "PluginCategoryTheme": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u0430\u0440", + "PluginCategorySync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "PluginCategorySocialIntegration": "\u04d8\u043b\u0435\u0443\u043c\u0435\u0442 \u0436\u0435\u043b\u0456\u043b\u0435\u0440\u0456", + "PluginCategoryNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", + "PluginCategoryMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "PluginCategoryLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", + "PluginCategoryChannel": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", + "HeaderSearch": "\u0406\u0437\u0434\u0435\u0443", + "ValueDateCreated": "\u0416\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456: {0}", + "LabelArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b", + "LabelMovie": "\u0424\u0438\u043b\u044c\u043c", + "LabelMusicVideo": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", + "LabelEpisode": "\u0411\u04e9\u043b\u0456\u043c", + "LabelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "LabelStopping": "\u0422\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0443\u0434\u0430", + "LabelCancelled": "(\u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b)", + "LabelFailed": "(\u0441\u04d9\u0442\u0441\u0456\u0437)", + "ButtonHelp": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u0433\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430\u0493\u0430", + "ButtonSave": "\u0421\u0430\u049b\u0442\u0430\u0443", + "ButtonDownload": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", + "SyncJobStatusQueued": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435", + "SyncJobStatusConverting": "\u0422\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443\u0434\u0435", + "SyncJobStatusFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", + "SyncJobStatusCancelled": "\u0411\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0493\u0430\u043d", + "SyncJobStatusCompleted": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d", + "SyncJobStatusReadyToTransfer": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0434\u0430\u0439\u044b\u043d", + "SyncJobStatusTransferring": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0434\u0430", + "SyncJobStatusCompletedWithError": "\u049a\u0430\u0442\u0435\u043b\u0435\u0440\u043c\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d", + "SyncJobItemStatusReadyToTransfer": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0434\u0430\u0439\u044b\u043d", + "LabelCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b", + "HeaderAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\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\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0456\u0437\u0434\u0435\u0443", + "LabelSelectCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", + "HeaderDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", + "ButtonScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440\u0493\u0430 \u04e9\u0442\u0443", + "MessageItemsAdded": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d", + "ButtonAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443", + "HeaderSelectCertificatePath": "\u041a\u0443\u04d9\u043b\u0456\u043a \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "ConfirmMessageScheduledTaskButton": "\u0411\u04b1\u043b \u04d9\u0440\u0435\u043a\u0435\u0442 \u04d9\u0434\u0435\u0442\u0442\u0435 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041e\u0441\u044b\u043d\u044b \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0431\u04b1\u043b \u0436\u0435\u0440\u0434\u0435 \u049b\u043e\u043b\u043c\u0435\u043d \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443\u0493\u0430 \u0431\u043e\u043b\u0430\u0434\u044b. \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d, \u049b\u0430\u0440\u0430\u04a3\u044b\u0437:", + "HeaderSupporterBenefit": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u043a \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b (\u043c\u044b\u0441\u0430\u043b\u044b, \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443, \u0441\u044b\u0439\u0430\u049b\u044b\u043b\u044b\u049b \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440, \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u043d\u0430\u0441\u044b\u043d\u044b\u04a3 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b \u0436\u0430\u04a3\u0435 \u0442.\u0431.) \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456. {0}\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443{1}.", + "LabelSyncNoTargetsHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0434\u0456 \u049b\u043e\u043b\u0434\u0430\u0439\u0442\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", + "HeaderWelcomeToProjectServerDashboard": "Emby Server \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0430 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", + "HeaderWelcomeToProjectWebClient": "Emby \u0456\u0448\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", + "ButtonTakeTheTour": "\u0410\u0440\u0430\u043b\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437", + "HeaderWelcomeBack": "\u049a\u0430\u0439\u0442\u0430 \u043a\u0435\u043b\u0443\u0456\u04a3\u0456\u0437\u0431\u0435\u043d!", + "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440", + "ButtonTakeTheTourToSeeWhatsNew": "\u0411\u043e\u043b\u0493\u0430\u043d \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u0443", + "MessageNoSyncJobsFound": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b. \u0412\u0435\u0431-\u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0430\u0442\u044b\u043d \u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u0440\u044b\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", + "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", + "HeaderLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderChannelAccess": "\u0410\u0440\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderDeviceAccess": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderSelectDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", + "ButtonCancelItem": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "ButtonQueueForRetry": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0437\u0435\u043a\u043a\u0435", + "ButtonReenable": "\u049a\u0430\u0439\u0442\u0430 \u049b\u043e\u0441\u0443", + "ButtonLearnMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", + "SyncJobItemStatusSyncedMarkForRemoval": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443\u0493\u0430 \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d", + "LabelAbortedByServerShutdown": "(\u0421\u0435\u0440\u0432\u0435\u0440 \u0436\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443 \u0441\u0435\u0431\u0435\u0431\u0456\u043d\u0435\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b)", + "LabelScheduledTaskLastRan": "\u041a\u0435\u0439\u0456\u043d\u0433\u0456 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b {0}, {1} \u0430\u043b\u0434\u044b.", + "HeaderDeleteTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u0436\u043e\u044e", "HeaderTaskTriggers": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u043b\u0435\u0440\u0456", - "ButtonResetTuner": "\u0422\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "ButtonRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", "MessageDeleteTaskTrigger": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderResetTuner": "\u0422\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\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)", "MessageNoPluginsInstalled": "\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b.", - "MessageConfirmResetTuner": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u04d8\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440 \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440 \u043a\u0435\u043d\u0435\u0442\u0442\u0435\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0430\u0434\u044b.", - "OptionSearchForInternetMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0456\u0437\u0434\u0435\u0443", - "ButtonUpdateNow": "\u049a\u0430\u0437\u0456\u0440 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443", "LabelVersionInstalled": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "ButtonCancelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "LabelNumberReviews": "{0} \u043f\u0456\u043a\u0456\u0440", - "LabelAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440", "LabelFree": "\u0422\u0435\u0433\u0456\u043d", - "HeaderSeriesRecordings": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b", + "HeaderPlaybackError": "\u041e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0442\u0435\u0441\u0456", + "MessagePlaybackErrorNotAllowed": "\u041e\u0441\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0430\u0493\u044b\u043c\u0434\u0430 \u0441\u0456\u0437\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d. \u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", + "MessagePlaybackErrorNoCompatibleStream": "\u0410\u0493\u044b\u043c\u0434\u0430 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0441\u044b\u0439\u044b\u0441\u044b\u043c\u0434\u044b \u0430\u0493\u044b\u043d\u0434\u0430\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u043b\u044b \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 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", + "MessagePlaybackErrorRateLimitExceeded": "\u041e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u04a3\u044b\u0437 \u0448\u0435\u043a\u0442\u0435\u043d \u0430\u0441\u044b\u043f \u043a\u0435\u0442\u043a\u0435\u043d. \u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", + "MessagePlaybackErrorPlaceHolder": "\u0422\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u04b1\u043b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0430\u0442\u044b\u043d \u0435\u043c\u0435\u0441.", "HeaderSelectAudio": "\u0414\u044b\u0431\u044b\u0441 \u0442\u0430\u04a3\u0434\u0430\u0443", - "LabelAnytime": "\u04d8\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430", "HeaderSelectSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0442\u0430\u04a3\u0434\u0430\u0443", - "StatusRecording": "\u0416\u0430\u0437\u0431\u0430", + "ButtonMarkForRemoval": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "ButtonUnmarkForRemoval": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443\u0434\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "LabelDefaultStream": "(\u04d8\u0434\u0435\u043f\u043a\u0456)", - "StatusWatching": "\u049a\u0430\u0440\u0430\u0443\u0434\u0430", "LabelForcedStream": "(\u041c\u04d9\u0436\u0431\u04af\u0440\u043b\u0456)", - "StatusRecordingProgram": "{0} \u0436\u0430\u0437\u0443\u0434\u0430", "LabelDefaultForcedStream": "(\u04d8\u0434\u0435\u043f\u043a\u0456\/\u041c\u04d9\u0436\u0431\u04af\u0440\u043b\u0456)", - "StatusWatchingProgram": "{0} \u049b\u0430\u0440\u0430\u0443\u0434\u0430", "LabelUnknownLanguage": "\u0411\u0435\u043b\u0433\u0456\u0441\u0456\u0437 \u0442\u0456\u043b", - "ButtonQueue": "\u041a\u0435\u0437\u0435\u043a\u043a\u0435", + "MessageConfirmSyncJobItemCancellation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "ButtonMute": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u04e9\u0448\u0456\u0440\u0443", "ButtonUnmute": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u049b\u043e\u0441\u0443", - "LabelSyncNoTargetsHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0434\u0456 \u049b\u043e\u043b\u0434\u0430\u0439\u0442\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", - "HeaderSplitMedia": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u043d\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u043f \u0431\u04e9\u043b\u0443", + "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443", + "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", + "ButtonPause": "\u04ae\u0437\u0443", + "ButtonPlay": "\u041e\u0439\u043d\u0430\u0442\u0443", + "ButtonEdit": "\u04e8\u04a3\u0434\u0435\u0443", + "ButtonQueue": "\u041a\u0435\u0437\u0435\u043a\u043a\u0435", "ButtonPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456", - "MessageConfirmSplitMedia": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u043a\u04e9\u0437\u0434\u0435\u0440\u0456\u043d \u0431\u04e9\u043b\u0435\u043a \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0493\u0430 \u0431\u04e9\u043b\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderError": "\u049a\u0430\u0442\u0435", + "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", "LabelEnabled": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d", - "HeaderSupporterBenefit": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u043a \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b (\u043c\u044b\u0441\u0430\u043b\u044b, \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443, \u0441\u044b\u0439\u0430\u049b\u044b\u043b\u044b\u049b \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440, \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u043d\u0430\u0441\u044b\u043d\u044b\u04a3 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b \u0436\u0430\u04a3\u0435 \u0442.\u0431.) \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456. {0}\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443{1}.", "LabelDisabled": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "MessageTheFollowingItemsWillBeGrouped": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0431\u0456\u0440 \u0442\u0430\u0440\u043c\u0430\u049b\u049b\u0430 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0430\u0434\u044b:", "ButtonMoreInformation": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u049b\u0430", - "MessageConfirmItemGrouping": "Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u043c\u0435\u043d \u0436\u0435\u043b\u0456 \u04e9\u043d\u0456\u043c\u0434\u0456\u043b\u0456\u0433\u0456 \u043d\u0435\u0433\u0456\u0437\u0456\u043d\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u043e\u04a3\u0442\u0430\u0439\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0441\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0439\u0434\u044b. \u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", "LabelNoUnreadNotifications": "\u041e\u049b\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440 \u0436\u043e\u049b", "ButtonViewNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0440\u0430\u0443", - "HeaderFavoriteAlbums": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", "ButtonMarkTheseRead": "\u0411\u04b1\u043b\u0430\u0440\u0434\u044b \u043e\u049b\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443", - "HeaderLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", "ButtonClose": "\u0416\u0430\u0431\u0443", - "ButtonOrganizeFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", - "ButtonLearnMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", - "TabEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "LabelAllPlaysSentToPlayer": "\u0411\u0430\u0440\u043b\u044b\u049b \u043e\u0439\u043d\u0430\u0442\u0443\u043b\u0430\u0440 \u0442\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u049b\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0434\u0456.", - "ButtonDeleteFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e", "MessageInvalidUser": "\u0416\u0430\u0440\u0430\u043c\u0441\u044b\u0437 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "HeaderOrganizeFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", - "HeaderAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b", + "HeaderLoginFailure": "\u041a\u0456\u0440\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456", + "HeaderAllRecordings": "\u0411\u0430\u0440\u043b\u044b\u049b \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", "RecommendationBecauseYouLike": "\u04e8\u0439\u0442\u043a\u0435\u043d\u0456 {0} \u0436\u0430\u0440\u0430\u0442\u0442\u044b\u04a3\u044b\u0437", - "HeaderDeleteFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e", - "ButtonAdd": "\u04ae\u0441\u0442\u0435\u0443", - "HeaderSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "ButtonView": "\u049a\u0430\u0440\u0430\u0443", "RecommendationBecauseYouWatched": "\u04e8\u0439\u0442\u043a\u0435\u043d\u0456 {0} \u049b\u0430\u0440\u0430\u0434\u044b\u04a3\u044b\u0437", - "StatusSkipped": "\u04e8\u0442\u043a\u0456\u0437\u0456\u043b\u0433\u0435\u043d", - "HeaderVideoQuality": "\u0411\u0435\u0439\u043d\u0435 \u0441\u0430\u043f\u0430\u0441\u044b", "RecommendationDirectedBy": "\u049a\u043e\u044e\u0448\u0456 {0}", - "StatusFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", - "MessageErrorPlayingVideo": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b.", "RecommendationStarring": "\u0411\u0430\u0441 \u0440\u043e\u043b\u0456\u043d\u0434\u0435 {0}", - "StatusSuccess": "\u0421\u04d9\u0442\u0442\u0456\u043b\u0456\u043a", - "MessageEnsureOpenTuner": "\u0410\u0448\u044b\u043b\u0493\u0430\u043d \u0442\u044e\u043d\u0435\u0440 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043a\u0435\u043d\u0456\u043d\u0435 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", "HeaderConfirmRecordingCancellation": "\u0416\u0430\u0437\u0431\u0430 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", - "MessageFileWillBeDeleted": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b:", - "ButtonDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0430", "MessageConfirmRecordingCancellation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0436\u0430\u0437\u0431\u0430\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessageSureYouWishToProceed": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043a\u0456\u0440\u0456\u0441\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "ButtonHelp": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u0433\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430\u0493\u0430", - "ButtonReports": "\u0411\u0430\u044f\u043d\u0430\u0442\u0442\u0430\u0440\u0493\u0430", - "HeaderUnrated": "\u0411\u0430\u0493\u0430\u043b\u0430\u043d\u0431\u0430\u0493\u0430\u043d", "MessageRecordingCancelled": "\u0416\u0430\u0437\u0431\u0430 \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", - "MessageDuplicatesWillBeDeleted": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435, \u043a\u0435\u043b\u0435\u0441\u0456 \u0442\u0435\u043b\u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440 \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b:", - "ButtonMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u0433\u0435", - "ValueDiscNumber": "{0}-\u0434\u0438\u0441\u043a\u0456", - "OptionOff": "\u04e8\u0448\u0456\u0440", + "HeaderConfirmSeriesCancellation": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b\u04a3 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443\u044b\u043d \u0440\u0430\u0441\u0442\u0430\u0443", + "MessageConfirmSeriesCancellation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "MessageSeriesCancelled": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", "HeaderConfirmRecordingDeletion": "\u0416\u0430\u0437\u0431\u0430 \u0436\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", - "MessageFollowingFileWillBeMovedFrom": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0436\u044b\u043b\u0436\u044b\u0442\u044b\u043b\u0430\u0434\u044b, \u043c\u044b\u043d\u0430\u0434\u0430\u043d:", - "HeaderTime": "\u0423\u0430\u049b\u044b\u0442", - "HeaderUnknownDate": "\u041a\u04af\u043d\u0456 \u0431\u0435\u043b\u0433\u0456\u0441\u0456\u0437", - "OptionOn": "\u049a\u043e\u0441", "MessageConfirmRecordingDeletion": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0436\u0430\u0437\u0431\u0430\u043d\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessageDestinationTo": "\u043c\u044b\u043d\u0430\u0493\u0430\u043d:", - "HeaderAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", - "HeaderUnknownYear": "\u0416\u044b\u043b\u044b \u0431\u0435\u043b\u0433\u0456\u0441\u0456\u0437", - "OptionRelease": "\u0420\u0435\u0441\u043c\u0438 \u0448\u044b\u0493\u0430\u0440\u044b\u043b\u044b\u043c", "MessageRecordingDeleted": "\u0416\u0430\u0437\u0431\u0430 \u0436\u043e\u0439\u044b\u043b\u0434\u044b.", - "HeaderSelectWatchFolder": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", - "HeaderAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u0441\u044b", - "HeaderMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c", - "ValueMinutes": "{0} \u043c\u0438\u043d", - "OptionBeta": "\u0411\u0435\u0442\u0430 \u043d\u04b1\u0441\u049b\u0430", "ButonCancelRecording": "\u0416\u0430\u0437\u0431\u0430\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", - "HeaderSelectWatchFolderHelp": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u0493\u0430 \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "HeaderArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b", - "OptionDev": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443 (\u0442\u04b1\u0440\u0430\u049b\u0441\u044b\u0437)", "MessageRecordingSaved": "\u0416\u0430\u0437\u0431\u0430 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", - "OrganizePatternResult": "\u041d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456: {0}", - "HeaderLatestTvRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", - "UninstallPluginHeader": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u044b\u043d \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", - "ButtonMute": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u04e9\u0448\u0456\u0440\u0443", - "HeaderRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", - "UninstallPluginConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d {0} \u043e\u0440\u043d\u0430\u0442\u0443\u044b\u043d \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderShutdown": "\u0416\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443", - "NoPluginConfigurationMessage": "\u041e\u0441\u044b \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435 \u0435\u0448\u0442\u0435\u04a3\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0442\u0456\u043d \u0436\u043e\u049b.", - "MessageConfirmRestart": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d Emby Server \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessageConfirmRevokeApiKey": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b API-\u043a\u0456\u043b\u0442\u0456\u043d\u0435\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043c\u0435\u043d Emby Server \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u049b\u043e\u0441\u044b\u043b\u044b\u043c \u043a\u0435\u043d\u0435\u0442 \u04af\u0437\u0456\u043b\u0435\u0434\u0456.", - "NoPluginsInstalledMessage": "\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b.", - "MessageConfirmShutdown": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d Emby Server \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderConfirmRevokeApiKey": "API-\u043a\u0456\u043b\u0442\u0442\u0435\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0443", - "BrowsePluginCatalogMessage": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.", - "NewVersionOfSomethingAvailable": "\u0416\u0430\u04a3\u0430 {0} \u043d\u04b1\u0441\u049b\u0430\u0441\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456!", - "VersionXIsAvailableForDownload": "\u0415\u043d\u0434\u0456 {0} \u043d\u04b1\u0441\u049b\u0430 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0493\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456.", - "TextEnjoyBonusFeatures": "\u0421\u044b\u0439\u0430\u049b\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437", - "ButtonHome": "\u0411\u0430\u0441\u0442\u044b\u0493\u0430", + "OptionSunday": "\u0436\u0435\u043a\u0441\u0435\u043d\u0431\u0456", + "OptionMonday": "\u0434\u04af\u0439\u0441\u0435\u043d\u0431\u0456", + "OptionTuesday": "\u0441\u0435\u0439\u0441\u0435\u043d\u0431\u0456", + "OptionWednesday": "\u0441\u04d9\u0440\u0441\u0435\u043d\u0431\u0456", + "OptionThursday": "\u0431\u0435\u0439\u0441\u0435\u043d\u0431\u0456", + "OptionFriday": "\u0436\u04b1\u043c\u0430", + "OptionSaturday": "\u0441\u0435\u043d\u0431\u0456", + "OptionEveryday": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d", "OptionWeekend": "\u0414\u0435\u043c\u0430\u043b\u044b\u0441 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", - "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0433\u0435", "OptionWeekday": "\u0410\u043f\u0442\u0430 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", - "OptionEveryday": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d", - "HeaderMediaFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b", - "ValueDateCreated": "\u0416\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456: {0}", - "MessageItemsAdded": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d", - "HeaderScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", - "HeaderNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", - "HeaderSelectPlayer": "\u041e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", - "ButtonAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443", - "HeaderSelectCertificatePath": "\u041a\u0443\u04d9\u043b\u0456\u043a \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", - "LabelBirthDate": "\u0422\u0443\u0493\u0430\u043d \u043a\u04af\u043d\u0456:", - "HeaderSelectPath": "\u0416\u043e\u043b\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", - "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "HeaderChannelAccess": "\u0410\u0440\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "MessageChromecastConnectionError": "Chromecast \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0493\u044b\u0448\u044b Emby Server \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441. \u041e\u043b\u0430\u0440\u0434\u044b\u04a3 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0434\u0430\u0440\u044b\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0456\u04a3\u0456\u0437 \u0434\u0435 \u0436\u04d9\u043d\u0435 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "TitleNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", - "MessageChangeRecurringPlanConfirm": "\u041e\u0441\u044b \u043c\u04d9\u043c\u0456\u043b\u0435\u043d\u0456 \u0430\u044f\u049b\u0442\u0430\u0493\u0430\u043d\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u04e9\u0437\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 PayPal \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u0456\u0448\u0456\u043d\u0435\u043d \u0430\u043b\u0434\u044b\u04a3\u0493\u044b \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b. Emby \u049b\u043e\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0430\u043b\u0493\u044b\u0441.", - "MessageSupporterMembershipExpiredOn": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 {0} \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d.", - "MessageYouHaveALifetimeMembership": "\u0421\u0456\u0437\u0434\u0435 \u04e9\u043c\u0456\u0440\u0431\u0430\u049b\u0438 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u044b\u049b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0431\u0430\u0440. \u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0433\u0456 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f, \u0431\u0456\u0440\u0436\u043e\u043b\u0493\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u043d\u0435\u0433\u0456\u0437\u0456\u043d\u0434\u0435 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443\u0456\u04a3\u0456\u0437 \u043c\u04af\u043c\u043a\u0456\u043d. Emby \u049b\u043e\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0430\u043b\u0493\u044b\u0441.", - "SyncJobStatusConverting": "\u0422\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443\u0434\u0435", - "MessageYouHaveAnActiveRecurringMembership": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 {0} \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d\u0435 \u0442\u0438\u0435\u0441\u043b\u0456\u0441\u0456\u0437. \u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0433\u0456 \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u0436\u043e\u0441\u043f\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0442\u0435\u0440\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0431\u0430\u0440", - "SyncJobStatusFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", - "SyncJobStatusCancelled": "\u0411\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0493\u0430\u043d", - "SyncJobStatusTransferring": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0434\u0430", - "FolderTypeUnset": "\u0422\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u043c\u0430\u0493\u0430\u043d (\u0430\u0440\u0430\u043b\u0430\u0441 \u043c\u0430\u0437\u043c\u04b1\u043d)", + "HeaderConfirmDeletion": "\u0416\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", + "MessageConfirmPathSubstitutionDeletion": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "LiveTvUpdateAvailable": "(\u0416\u0430\u04a3\u0430\u0440\u0442\u0443 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456)", + "LabelVersionUpToDate": "\u0416\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d!", + "ButtonResetTuner": "\u0422\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", + "HeaderResetTuner": "\u0422\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", + "MessageConfirmResetTuner": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u044e\u043d\u0435\u0440\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u04d8\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440 \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440 \u043a\u0435\u043d\u0435\u0442\u0442\u0435\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0430\u0434\u044b.", + "ButtonCancelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "HeaderSeriesRecordings": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b", + "LabelAnytime": "\u04d8\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430", + "StatusRecording": "\u0416\u0430\u0437\u0431\u0430", + "StatusWatching": "\u049a\u0430\u0440\u0430\u0443\u0434\u0430", + "StatusRecordingProgram": "{0} \u0436\u0430\u0437\u0443\u0434\u0430", + "StatusWatchingProgram": "{0} \u049b\u0430\u0440\u0430\u0443\u0434\u0430", + "HeaderSplitMedia": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u043d\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u043f \u0431\u04e9\u043b\u0443", + "MessageConfirmSplitMedia": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u043a\u04e9\u0437\u0434\u0435\u0440\u0456\u043d \u0431\u04e9\u043b\u0435\u043a \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0493\u0430 \u0431\u04e9\u043b\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "HeaderError": "\u049a\u0430\u0442\u0435", + "MessageChromecastConnectionError": "Chromecast \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0493\u044b\u0448\u044b Emby Server \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441. \u041e\u043b\u0430\u0440\u0434\u044b\u04a3 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0434\u0430\u0440\u044b\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0456\u04a3\u0456\u0437 \u0434\u0435 \u0436\u04d9\u043d\u0435 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "MessagePleaseSelectOneItem": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0431\u0456\u0440 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", + "MessagePleaseSelectTwoItems": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0435\u043a\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", + "MessageTheFollowingItemsWillBeGrouped": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0431\u0456\u0440 \u0442\u0430\u0440\u043c\u0430\u049b\u049b\u0430 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0430\u0434\u044b:", + "MessageConfirmItemGrouping": "Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u043c\u0435\u043d \u0436\u0435\u043b\u0456 \u04e9\u043d\u0456\u043c\u0434\u0456\u043b\u0456\u0433\u0456 \u043d\u0435\u0433\u0456\u0437\u0456\u043d\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u043e\u04a3\u0442\u0430\u0439\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0441\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0439\u0434\u044b. \u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "HeaderResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443", + "HeaderMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c", + "HeaderLibraryFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b", + "HeaderLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "ButtonMoreItems": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a...", + "ButtonMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", + "HeaderFavoriteMovies": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "HeaderFavoriteShows": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440", + "HeaderFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "HeaderFavoriteGames": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043e\u0439\u044b\u043d\u0434\u0430\u0440", + "HeaderRatingsDownloads": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443 \/ \u0416\u04af\u043a\u0442\u0435\u0443\u043b\u0435\u0440", + "HeaderConfirmProfileDeletion": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0436\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", + "MessageConfirmProfileDeletion": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "HeaderSelectServerCachePath": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043a\u044d\u0448\u0456\u043d\u0456\u04a3 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectTranscodingPath": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u0435\u044b\u04a3 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectImagesByNamePath": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectMetadataPath": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectServerCachePathHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043a\u044d\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "HeaderSelectTranscodingPathHelp": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "HeaderSelectImagesByNamePathHelp": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "HeaderSelectMetadataPathHelp": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "HeaderSelectChannelDownloadPath": "\u0410\u0440\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437", + "HeaderSelectChannelDownloadPathHelp": "\u0410\u0440\u043d\u0430 \u043a\u0435\u0448\u0456 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u0441\u0430\u049b\u0442\u0430\u043f \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "OptionNewCollection": "\u0416\u0430\u04a3\u0430...", + "ButtonAdd": "\u04ae\u0441\u0442\u0435\u0443", + "ButtonRemove": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443", "LabelChapterDownloaders": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440:", "LabelChapterDownloadersHelp": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0441\u0430\u0445\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u049b \u0440\u0435\u0442\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0434\u04d9\u0440\u0435\u0436\u0435 \u0431\u0435\u0440\u0456\u04a3\u0456\u0437. \u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b \u0431\u0430\u0440 \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u043e\u049b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u0442\u043e\u043b\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.", - "HeaderUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "ValueStatus": "\u041a\u04af\u0439\u0456: {0}", - "MessageInternetExplorerWebm": "Internet Explorer \u0430\u0440\u049b\u044b\u043b\u044b \u0435\u04a3 \u0436\u0430\u049b\u0441\u044b \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440\u0433\u0435 \u0438\u0435 \u0431\u043e\u043b\u0443 \u04af\u0448\u0456\u043d WebM \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "HeaderResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443", - "HeaderVideoError": "\u0411\u0435\u0439\u043d\u0435 \u049b\u0430\u0442\u0435\u0441\u0456", + "HeaderFavoriteAlbums": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", + "HeaderLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", + "ButtonOrganizeFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", + "ButtonDeleteFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e", + "HeaderOrganizeFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", + "HeaderDeleteFile": "\u0424\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e", + "StatusSkipped": "\u04e8\u0442\u043a\u0456\u0437\u0456\u043b\u0433\u0435\u043d", + "StatusFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", + "StatusSuccess": "\u0421\u04d9\u0442\u0442\u0456\u043b\u0456\u043a", + "MessageFileWillBeDeleted": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b:", + "MessageSureYouWishToProceed": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043a\u0456\u0440\u0456\u0441\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "MessageDuplicatesWillBeDeleted": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435, \u043a\u0435\u043b\u0435\u0441\u0456 \u0442\u0435\u043b\u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440 \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b:", + "MessageFollowingFileWillBeMovedFrom": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0436\u044b\u043b\u0436\u044b\u0442\u044b\u043b\u0430\u0434\u044b, \u043c\u044b\u043d\u0430\u0434\u0430\u043d:", + "MessageDestinationTo": "\u043c\u044b\u043d\u0430\u0493\u0430\u043d:", + "HeaderSelectWatchFolder": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectWatchFolderHelp": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u0493\u0430 \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "OrganizePatternResult": "\u041d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456: {0}", + "HeaderRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", + "HeaderShutdown": "\u0416\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443", + "MessageConfirmRestart": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d Emby Server \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "MessageConfirmShutdown": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d Emby Server \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "ButtonUpdateNow": "\u049a\u0430\u0437\u0456\u0440 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443", + "ValueItemCount": "{0} \u0442\u0430\u0440\u043c\u0430\u049b", + "ValueItemCountPlural": "{0} \u0442\u0430\u0440\u043c\u0430\u049b", + "NewVersionOfSomethingAvailable": "\u0416\u0430\u04a3\u0430 {0} \u043d\u04b1\u0441\u049b\u0430\u0441\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456!", + "VersionXIsAvailableForDownload": "\u0415\u043d\u0434\u0456 {0} \u043d\u04b1\u0441\u049b\u0430 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0493\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456.", + "LabelVersionNumber": "\u041d\u0443\u0441\u049b\u0430\u0441\u044b: {0}", + "LabelPlayMethodTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u0430", + "LabelPlayMethodDirectStream": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443\u0434\u0430", + "LabelPlayMethodDirectPlay": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443\u0434\u0430", + "LabelEpisodeNumber": "\u042d\u043f\u0438\u0437\u043e\u0434 \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelAudioCodec": "\u0414\u044b\u0431\u044b\u0441: {0}", + "LabelVideoCodec": "\u0411\u0435\u0439\u043d\u0435: {0}", + "LabelLocalAccessUrl": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u049b\u0430\u0442\u044b\u043d\u0430\u0443: {0}", + "LabelRemoteAccessUrl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443: {0}", + "LabelRunningOnPort": "{0} http-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456.", + "LabelRunningOnPorts": "{0} http-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04d9\u043d\u0435 {1} https-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456.", + "HeaderLatestFromChannel": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 {0}", + "LabelUnknownLanaguage": "\u0411\u0435\u043b\u0433\u0456\u0441\u0456\u0437 \u0442\u0456\u043b", + "HeaderCurrentSubtitles": "\u0410\u0493\u044b\u043c\u0434\u044b\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", + "MessageDownloadQueued": "\u0416\u04af\u043a\u0442\u0435\u0443 \u043a\u0435\u0437\u0435\u043a\u043a\u0435 \u043a\u0456\u0440\u0433\u0456\u0437\u0456\u043b\u0434\u0456.", + "MessageAreYouSureDeleteSubtitles": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0444\u0430\u0439\u043b\u044b\u043d \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", "ButtonRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", - "TabSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", - "TabAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0435\u0440", - "MessageFeatureIncludedWithSupporter": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0435\u043d\u0441\u0456\u0437, \u0436\u04d9\u043d\u0435 \u043e\u043d\u044b \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u044b \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0430 \u0430\u043b\u0430\u0441\u044b\u0437.", + "HeaderLatestTvRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", + "ButtonOk": "\u0416\u0430\u0440\u0430\u0439\u0434\u044b", + "ButtonCancel": "\u0411\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "ButtonRefresh": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", + "LabelCurrentPath": "\u0410\u0493\u044b\u043c\u0434\u044b\u049b \u0436\u043e\u043b:", + "HeaderSelectMediaPath": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderSelectPath": "\u0416\u043e\u043b\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", + "ButtonNetwork": "\u0416\u0435\u043b\u0456", + "MessageDirectoryPickerInstruction": "\u0416\u0435\u043b\u0456 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456 \u0431\u0430\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437 \u043e\u0440\u043d\u044b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0441\u0430, \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u0436\u043e\u043b\u0434\u0430\u0440 \u049b\u043e\u043b\u043c\u0435\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u043b\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d. \u041c\u044b\u0441\u0430\u043b\u044b, {0} \u043d\u0435\u043c\u0435\u0441\u0435 {1}.", + "HeaderMenu": "\u041c\u04d9\u0437\u0456\u0440", + "ButtonOpen": "\u0410\u0448\u0443", + "ButtonOpenInNewTab": "\u0416\u0430\u04a3\u0430 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0434\u0430 \u0430\u0448\u0443", + "ButtonShuffle": "\u0410\u0440\u0430\u043b\u0430\u0441\u0442\u044b\u0440\u0443", + "ButtonInstantMix": "\u041b\u0435\u0437\u0434\u0456\u043a \u049b\u043e\u0441\u043f\u0430\u043b\u0430\u0443", + "ButtonResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443", + "HeaderScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", + "HeaderAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b", + "HeaderLibraries": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043b\u0430\u0440", + "HeaderSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", + "HeaderVideoQuality": "\u0411\u0435\u0439\u043d\u0435 \u0441\u0430\u043f\u0430\u0441\u044b", + "MessageErrorPlayingVideo": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b.", + "MessageEnsureOpenTuner": "\u0410\u0448\u044b\u043b\u0493\u0430\u043d \u0442\u044e\u043d\u0435\u0440 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043a\u0435\u043d\u0456\u043d\u0435 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", + "ButtonHome": "\u0411\u0430\u0441\u0442\u044b\u0493\u0430", + "ButtonDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0430", + "ButtonReports": "\u0411\u0430\u044f\u043d\u0430\u0442\u0442\u0430\u0440\u0493\u0430", + "ButtonMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u0433\u0435", + "HeaderTime": "\u0423\u0430\u049b\u044b\u0442", + "HeaderName": "\u0410\u0442\u044b", + "HeaderAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", + "HeaderAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u0441\u044b", + "HeaderArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b", + "LabelAddedOnDate": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d\u0456 {0}", + "ButtonStart": "\u0411\u0430\u0441\u0442\u0430\u0443", + "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:", + "HeaderChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", + "HeaderMediaFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b", + "HeaderBlockItemsWithNoRating": "\u0416\u0430\u0441\u0442\u044b\u049b \u0441\u0430\u043d\u0430\u0442\u044b \u0436\u043e\u049b \u043c\u0430\u0437\u04b1\u043d\u0434\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443:", + "OptionBlockOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", + "OptionBlockTvShows": "\u0422\u0414 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440\u0456", + "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", + "OptionBlockMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "OptionBlockMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "OptionBlockBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", + "OptionBlockGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "OptionBlockLiveTvPrograms": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0442\u0430\u0440\u0430\u0442\u044b\u043c\u0434\u0430\u0440\u044b", + "OptionBlockLiveTvChannels": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u044b", + "OptionBlockChannelContent": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b", + "ButtonRevoke": "\u0411\u0430\u0441 \u0442\u0430\u0440\u0442\u0443", + "MessageConfirmRevokeApiKey": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b API-\u043a\u0456\u043b\u0442\u0456\u043d\u0435\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043c\u0435\u043d Emby Server \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u049b\u043e\u0441\u044b\u043b\u044b\u043c \u043a\u0435\u043d\u0435\u0442 \u04af\u0437\u0456\u043b\u0435\u0434\u0456.", + "HeaderConfirmRevokeApiKey": "API-\u043a\u0456\u043b\u0442\u0442\u0435\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0443", "ValueContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440: {0}", "ValueAudioCodec": "\u0414\u044b\u0431\u044b\u0441 \u043a\u043e\u0434\u0435\u0433\u0456: {0}", "ValueVideoCodec": "\u0411\u0435\u0439\u043d\u0435 \u043a\u043e\u0434\u0435\u0433\u0456: {0}", - "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", "ValueCodec": "\u041a\u043e\u0434\u0435\u043a: {0}", - "HeaderLatestReviews": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043f\u0456\u043a\u0456\u0440\u043b\u0435\u0440", - "HeaderDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", "ValueConditions": "\u0416\u0430\u0493\u0434\u0430\u0439\u043b\u0430\u0440: {0}", - "HeaderPluginInstallation": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043c\u044b", "LabelAll": "\u0411\u0430\u0440\u043b\u044b\u049b", - "MessageAlreadyInstalled": "\u041e\u0441\u044b \u043d\u04b1\u0441\u049b\u0430 \u0431\u04b1\u0440\u044b\u043d\u043d\u0430\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d.", "HeaderDeleteImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e", - "ValueReviewCount": "{0} \u043f\u0456\u043a\u0456\u0440", "MessageFileNotFound": "\u0424\u0430\u0439\u043b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", - "MessageYouHaveVersionInstalled": "\u049a\u0430\u0437\u0456\u0440 {0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", "MessageFileReadError": "\u041e\u0441\u044b \u0444\u0430\u0439\u043b\u0434\u044b \u043e\u049b\u044b\u0493\u0430\u043d\u0434\u0430 \u049b\u0430\u0442\u0435 \u043f\u0430\u0439\u0434\u0430 \u0431\u043e\u043b\u0434\u044b.", - "MessageTrialExpired": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", "ButtonNextPage": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0431\u0435\u0442\u043a\u0435", - "OptionWatched": "\u049a\u0430\u0440\u0430\u043b\u0493\u0430\u043d", - "MessageTrialWillExpireIn": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 {0} \u043a\u04af\u043d\u0434\u0435 \u0430\u044f\u049b\u0442\u0430\u043b\u0430\u0434\u044b", "ButtonPreviousPage": "\u0410\u043b\u0434\u044b\u043d\u0493\u044b \u0431\u0435\u0442\u043a\u0435", - "OptionUnwatched": "\u049a\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d", - "MessageInstallPluginFromApp": "\u0411\u04b1\u043b \u043f\u043b\u0430\u0433\u0438\u043d \u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0441\u0430, \u0441\u043e\u043d\u044b\u04a3 \u0456\u0448\u0456\u043d\u0435\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456.", - "OptionRuntime": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b", - "HeaderMyMedia": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c", "ButtonMoveLeft": "\u0421\u043e\u043b\u0493\u0430 \u0436\u044b\u043b\u0436\u044b\u0442\u0443", - "ExternalPlayerPlaystateOptionsHelp": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0440\u0435\u0442\u0442\u0435 \u043e\u0441\u044b \u0431\u0435\u0439\u043d\u0435\u043d\u0456 \u049b\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u049b\u0430\u043b\u0430\u0439 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.", - "ValuePriceUSD": "\u0411\u0430\u0493\u0430\u0441\u044b: {0} USD", "OptionReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456", "ButtonMoveRight": "\u041e\u04a3\u0493\u0430 \u0436\u044b\u043b\u0436\u044b\u0442\u0443", - "LabelMarkAs": "\u0411\u044b\u043b\u0430\u0439\u0448\u0430 \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443:", "ButtonBrowseOnlineImages": "\u0416\u0435\u043b\u0456\u0434\u0435\u0433\u0456 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0448\u043e\u043b\u0443", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u0441 \u0431\u04b1\u0440\u044b\u043d \u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u04a3\u044b\u0437.", - "OptionInProgress": "\u041e\u0440\u044b\u043d\u0434\u0430\u043b\u0443\u0434\u0430", "HeaderDeleteItem": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0436\u043e\u044e", - "ButtonUninstall": "\u041e\u0440\u043d\u0430\u0442\u044b\u043c\u0434\u044b \u0436\u043e\u044e", - "LabelResumePoint": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u043d\u04af\u043a\u0442\u0435\u0441\u0456:", "ConfirmDeleteItem": "\u041e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0436\u043e\u0439\u0493\u0430\u043d\u0434\u0430, \u043e\u043b \u0444\u0430\u0439\u043b \u0436\u04af\u0439\u0435\u0441\u0456\u043d\u0435\u043d \u0434\u0435, \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u04a3\u044b\u0437\u0434\u0430\u043d \u0434\u0430 \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b. \u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "ValueOneMovie": "1 \u0444\u0438\u043b\u044c\u043c", - "ValueItemCount": "{0} \u0442\u0430\u0440\u043c\u0430\u049b", "MessagePleaseEnterNameOrId": "\u0410\u0442\u044b\u043d \u043d\u0435\u043c\u0435\u0441\u0435 \u0441\u044b\u0440\u0442\u049b\u044b ID \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.", - "ValueMovieCount": "{0} \u0444\u0438\u043b\u044c\u043c", - "PluginCategoryGeneral": "\u0416\u0430\u043b\u043f\u044b", - "ValueItemCountPlural": "{0} \u0442\u0430\u0440\u043c\u0430\u049b", "MessageValueNotCorrect": "\u0415\u043d\u0433\u0456\u0437\u0456\u043b\u0433\u0435\u043d \u043c\u04d9\u043d \u0434\u04b1\u0440\u044b\u0441 \u0435\u043c\u0435\u0441. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", "MessageItemSaved": "\u0422\u0430\u0440\u043c\u0430\u049b \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", - "HeaderWelcomeBack": "\u049a\u0430\u0439\u0442\u0430 \u043a\u0435\u043b\u0443\u0456\u04a3\u0456\u0437\u0431\u0435\u043d!", - "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u0441 \u0431\u04b1\u0440\u044b\u043d \u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u04a3\u044b\u0437.", + "OptionEnded": "\u0410\u044f\u049b\u0442\u0430\u043b\u0434\u044b", + "OptionContinuing": "\u0416\u0430\u043b\u0493\u0430\u0441\u0443\u0434\u0430", + "OptionOff": "\u04e8\u0448\u0456\u0440", + "OptionOn": "\u049a\u043e\u0441", + "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0433\u0435", + "ButtonUninstall": "\u041e\u0440\u043d\u0430\u0442\u044b\u043c\u0434\u044b \u0436\u043e\u044e", "HeaderFields": "\u04e8\u0440\u0456\u0441\u0442\u0435\u0440", - "ButtonTakeTheTourToSeeWhatsNew": "\u0411\u043e\u043b\u0493\u0430\u043d \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u0443", - "ValueOneSeries": "1 \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f", - "PluginCategoryContentProvider": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456\u043b\u0435\u0440", "HeaderFieldsHelp": "\u049a\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u04d9\u043d\u0435 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u04e9\u0437\u0433\u0435\u0440\u0442\u0443\u0456\u043d\u0435 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0443 \u04af\u0448\u0456\u043d, \u04e9\u0440\u0456\u0441\u0442\u0456 \"\u04e8\u0428\u0406\u0420\" \u0442\u0430\u0440\u0430\u043f\u044b\u043d\u0430 \u0441\u044b\u0440\u0493\u0430\u0442\u044b\u04a3\u044b\u0437.", - "ValueSeriesCount": "{0} \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f", "HeaderLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", - "ValueOneEpisode": "1 \u0431\u04e9\u043b\u0456\u043c", - "LabelRecurringDonationCanBeCancelledHelp": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u0430\u0440 PayPal \u0435\u0441\u0435\u043f \u0448\u043e\u0442\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u04d9\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0434\u0430 \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", - "ButtonRevoke": "\u0411\u0430\u0441 \u0442\u0430\u0440\u0442\u0443", "MissingLocalTrailer": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440 \u0436\u043e\u049b.", - "ValueEpisodeCount": "{0} \u0431\u04e9\u043b\u0456\u043c", - "PluginCategoryScreenSaver": "\u042d\u043a\u0440\u0430\u043d \u049b\u043e\u0440\u0493\u0430\u0443\u044b\u0448\u0442\u0430\u0440", - "ButtonMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", "MissingPrimaryImage": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u0441\u0443\u0440\u0435\u0442 \u0436\u043e\u049b.", - "ValueOneGame": "1 \u043e\u0439\u044b\u043d", - "HeaderFavoriteMovies": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", "MissingBackdropImage": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442 \u0436\u043e\u049b.", - "ValueGameCount": "{0} \u043e\u0439\u044b\u043d", - "HeaderFavoriteShows": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440", "MissingLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f \u0441\u0443\u0440\u0435\u0442\u0456 \u0436\u043e\u049b.", - "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", - "PluginCategoryTheme": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u0430\u0440", - "HeaderFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "MissingEpisode": "\u0416\u043e\u049b \u0431\u04e9\u043b\u0456\u043c.", - "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c", - "HeaderFavoriteGames": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043e\u0439\u044b\u043d\u0434\u0430\u0440", - "MessagePlaybackErrorPlaceHolder": "\u0422\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u04b1\u043b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0430\u0442\u044b\u043d \u0435\u043c\u0435\u0441.", "OptionScreenshots": "\u042d\u043a\u0440\u0430\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456", - "ValueOneSong": "1 \u04d9\u0443\u0435\u043d", - "HeaderRatingsDownloads": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443 \/ \u0416\u04af\u043a\u0442\u0435\u0443\u043b\u0435\u0440", "OptionBackdrops": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "MessageErrorLoadingSupporterInfo": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "ValueSongCount": "{0} \u04d9\u0443\u0435\u043d", - "PluginCategorySync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "HeaderConfirmProfileDeletion": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0436\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", - "HeaderSelectDate": "\u041a\u04af\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", - "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", - "MessageConfirmProfileDeletion": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", "OptionImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", - "HeaderSelectServerCachePath": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043a\u044d\u0448\u0456\u043d\u0456\u04a3 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", "OptionKeywords": "\u041a\u0456\u043b\u0442 \u0441\u04e9\u0437\u0434\u0435\u0440", - "MessageLinkYourSupporterKey": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u043b\u0430\u0440\u0493\u0430 \u0442\u0435\u0433\u0456\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u0443 \u04af\u0448\u0456\u043d {0} Emby Connect \u043c\u04af\u0448\u0435\u0441\u0456\u043d\u0435 \u0434\u0435\u0439\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u04a3\u044b\u0437.", - "HeaderOffline": "\u0414\u0435\u0440\u0431\u0435\u0441", - "PluginCategorySocialIntegration": "\u04d8\u043b\u0435\u0443\u043c\u0435\u0442 \u0436\u0435\u043b\u0456\u043b\u0435\u0440\u0456", - "HeaderSelectTranscodingPath": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u0435\u044b\u04a3 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", - "MessageThankYouForSupporting": "Emby \u0436\u0430\u049b\u0442\u0430\u0493\u0430\u043d\u044b\u04a3\u044b\u0437\u0493\u0430 \u0430\u043b\u0493\u044b\u0441.", "OptionTags": "\u0422\u0435\u0433\u0442\u0435\u0440", - "HeaderUnaired": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d", - "HeaderSelectImagesByNamePath": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", "OptionStudios": "\u0421\u0442\u0443\u0434\u0438\u044f\u043b\u0430\u0440", - "HeaderMissing": "\u0416\u043e\u049b", - "HeaderSelectMetadataPath": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", "OptionName": "\u0410\u0442\u044b", - "HeaderConfirmRemoveUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443", - "ButtonWebsite": "\u0421\u0430\u0439\u0442\u044b\u043d\u0430", - "PluginCategoryNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", - "HeaderSelectServerCachePathHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043a\u044d\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "SyncJobStatusQueued": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435", "OptionOverview": "\u0416\u0430\u043b\u043f\u044b \u0448\u043e\u043b\u0443", - "TooltipFavorite": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b", - "HeaderSelectTranscodingPathHelp": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "ButtonCancelItem": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "OptionGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "ButtonScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440\u0493\u0430 \u04e9\u0442\u0443", - "ValueTimeLimitSingleHour": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456: 1 \u0441\u0430\u0493\u0430\u0442", - "TooltipLike": "\u04b0\u043d\u0430\u0439\u0434\u044b", - "HeaderSelectImagesByNamePathHelp": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "SyncJobStatusCompleted": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d", + "OptionParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442", "OptionPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", - "MessageConfirmRemoveConnectSupporter": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "TooltipDislike": "\u04b0\u043d\u0430\u043c\u0430\u0439\u0434\u044b", - "PluginCategoryMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "HeaderSelectMetadataPathHelp": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "ButtonQueueForRetry": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0437\u0435\u043a\u043a\u0435", - "SyncJobStatusCompletedWithError": "\u049a\u0430\u0442\u0435\u043b\u0435\u0440\u043c\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d", + "OptionRuntime": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b", "OptionProductionLocations": "\u04e8\u043d\u0434\u0456\u0440\u0443 \u043e\u0440\u044b\u043d\u0434\u0430\u0440\u044b", - "ButtonDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0430\u0443", - "TooltipPlayed": "\u041e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", "OptionBirthLocation": "\u0422\u0443\u0493\u0430\u043d \u043e\u0440\u043d\u044b", - "ValueTimeLimitMultiHour": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456: {0} \u0441\u0430\u0493\u0430\u0442", - "ValueSeriesYearToPresent": "{0} - \u049b\u0430\u0437\u0456\u0440\u0434\u0435", - "ButtonReenable": "\u049a\u0430\u0439\u0442\u0430 \u049b\u043e\u0441\u0443", + "LabelAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440", "LabelLiveProgram": "\u0422\u0406\u041a\u0415\u041b\u0415\u0419 \u042d\u0424\u0418\u0420", - "ConfirmMessageScheduledTaskButton": "\u0411\u04b1\u043b \u04d9\u0440\u0435\u043a\u0435\u0442 \u04d9\u0434\u0435\u0442\u0442\u0435 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041e\u0441\u044b\u043d\u044b \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0431\u04b1\u043b \u0436\u0435\u0440\u0434\u0435 \u049b\u043e\u043b\u043c\u0435\u043d \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443\u0493\u0430 \u0431\u043e\u043b\u0430\u0434\u044b. \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d, \u049b\u0430\u0440\u0430\u04a3\u044b\u0437:", - "ValueAwards": "\u041c\u0430\u0440\u0430\u043f\u0430\u0442\u0442\u0430\u0440: {0}", - "PluginCategoryLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", "LabelNewProgram": "\u0416\u0410\u04a2\u0410", - "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442\u0456: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443\u0493\u0430 \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d", "LabelPremiereProgram": "\u0422\u04b0\u0421\u0410\u0423\u041a\u0415\u0421\u0415\u0420\u0406", - "ValueRevenue": "\u0422\u0430\u0431\u044b\u0441\u044b: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0442\u04af\u0440\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u0443", - "ButtonQueueAllFromHere": "\u0411\u04b1\u043b \u0430\u0440\u0430\u0434\u0430\u043d \u0431\u04d9\u0440\u0456\u043d \u043a\u0435\u0437\u0435\u043a\u043a\u0435", - "ValuePremiered": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430\u0441\u044b {0}", - "PluginCategoryChannel": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "HeaderLibraryFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b", - "ButtonMarkForRemoval": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", "HeaderChangeFolderTypeHelp": "\u0422\u04af\u0440\u0434\u0456 \u04e9\u0437\u0433\u0435\u0440\u0442\u0443 \u04af\u0448\u0456\u043d, \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u04a3\u044b\u0437 \u0434\u0430 \u0436\u0430\u04a3\u0430 \u0442\u04af\u0440\u0456\u043c\u0435\u043d \u049b\u0430\u0439\u0442\u0430 \u049b\u04b1\u0440\u044b\u04a3\u044b\u0437.", - "ButtonPlayAllFromHere": "\u0411\u04b1\u043b \u0430\u0440\u0430\u0434\u0430\u043d \u0431\u04d9\u0440\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u0443", - "ValuePremieres": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430\u0441\u044b {0}", "HeaderAlert": "\u0415\u0441\u043a\u0435\u0440\u0442\u0443", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "\u0421\u0442\u0443\u0434\u0438\u044f\u0441\u044b: {0}", - "ButtonUnmarkForRemoval": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443\u0434\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "MessagePleaseRestart": "\u0416\u0430\u04a3\u0430\u0440\u0442\u0443\u0434\u044b \u0430\u044f\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.", - "HeaderIdentify": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0443", - "ValueStudios": "\u0421\u0442\u0443\u0434\u0438\u044f\u043b\u0430\u0440\u044b: {0}", + "ButtonRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", "MessagePleaseRefreshPage": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u043d \u0436\u0430\u04a3\u0430 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043e\u0441\u044b \u0431\u0435\u0442\u0442\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u044b\u04a3\u044b\u0437.", - "PersonTypePerson": "\u0422\u04b1\u043b\u0493\u0430", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "\u0410\u0440\u043d\u0430\u0439\u044b - {0}", - "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440", - "MessageConfirmSyncJobItemCancellation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", "ButtonHide": "\u0416\u0430\u0441\u044b\u0440\u0443", - "LabelTitleDisplayOrder": "\u0422\u0443\u044b\u043d\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0440\u0435\u0442\u0456:", - "ButtonViewSeriesRecording": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0436\u0430\u0437\u0431\u0430\u0441\u044b\u043d \u049b\u0430\u0440\u0430\u0443", "MessageSettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", - "OptionSortName": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b", - "ValueOriginalAirDate": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u044d\u0444\u0438\u0440: {0}", - "HeaderLibraries": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043b\u0430\u0440", "ButtonSignOut": "\u0428\u044b\u0493\u0443", - "ButtonOk": "\u0416\u0430\u0440\u0430\u0439\u0434\u044b", "ButtonMyProfile": "\u041c\u0435\u043d\u0456\u04a3 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b\u043c\u0493\u0430", - "ButtonCancel": "\u0411\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "ButtonMyPreferences": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043c\u0433\u0435", - "LabelDiscNumber": "\u0414\u0438\u0441\u043a\u0456 \u043d\u04e9\u043c\u0456\u0440\u0456", "MessageBrowserDoesNotSupportWebSockets": "\u041e\u0441\u044b \u0448\u043e\u043b\u0493\u044b\u0448 \u0432\u0435\u0431-\u0441\u043e\u043a\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u049b\u043e\u043b\u0434\u0430\u043c\u0430\u0439\u0434\u044b. \u0410\u043d\u0430\u0493\u04b1\u0440\u043b\u044b\u043c \u0442\u0438\u0456\u043c\u0434\u0456 \u0436\u04b1\u043c\u044b\u0441 \u04af\u0448\u0456\u043d, \u0436\u0430\u04a3\u0430 \u0448\u043e\u043b\u0493\u044b\u0448 \u0430\u0440\u049b\u044b\u043b\u044b, \u043c\u044b\u0441\u0430\u043b\u044b, Chrome, Firefox, IE10+, Safari (iOS) \u043d\u0435 Opera, \u04d9\u0440\u0435\u043a\u0435\u0442 \u0436\u0430\u0441\u0430\u04a3\u044b\u0437", - "LabelParentNumber": "\u0422\u0435\u043a\u0442\u0456\u043a \u043d\u04e9\u043c\u0456\u0440:", "LabelInstallingPackage": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u0434\u0430", - "TitleSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", "LabelPackageInstallCompleted": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u044b \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b.", - "LabelTrackNumber": "\u0416\u043e\u043b\u0448\u044b\u049b \u043d\u04e9\u043c\u0456\u0440\u0456:", "LabelPackageInstallFailed": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u044b \u0441\u04d9\u0442\u0441\u0456\u0437.", - "LabelNumber": "\u041d\u04e9\u043c\u0456\u0440\u0456:", "LabelPackageInstallCancelled": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", - "LabelReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456:", + "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", "TabUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "LabelEndDate": "\u0410\u044f\u049b\u0442\u0430\u043b\u0443 \u043a\u04af\u043d\u0456:", "TabLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430", - "LabelYear": "\u0416\u044b\u043b\u044b:", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", "TabDLNA": "DLNA", - "LabelDateOfBirth": "\u0422\u0443\u0493\u0430\u043d \u043a\u04af\u043d\u0456:", "TabLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", - "LabelBirthYear": "\u0422\u0443\u0493\u0430\u043d \u0436\u044b\u043b\u044b:", "TabAutoOrganize": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", - "LabelDeathDate": "\u04e8\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456:", "TabPlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440", - "HeaderRemoveMediaLocation": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", - "HeaderDeviceAccess": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "TabAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", "TabHelp": "\u0410\u043d\u044b\u049b\u0442\u0430\u043c\u0430", - "MessageConfirmRemoveMediaLocation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u0434\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderSelectDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", "TabScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b", - "HeaderRenameMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u049b\u0430\u0439\u0442\u0430 \u0430\u0442\u0430\u0443", - "LabelNewName": "\u0416\u0430\u04a3\u0430 \u0430\u0442\u044b", - "HeaderLatestFromChannel": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 {0}", - "HeaderAddMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443", - "ButtonQuality": "\u0421\u0430\u043f\u0430\u0441\u044b\u043d\u0430", - "HeaderAddMediaFolderHelp": "\u0410\u0442\u044b (\u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430, \u0422\u0414, \u0442.\u0431.):", "ButtonFullscreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d\u0493\u0430", - "HeaderRemoveMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", - "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0493\u0430", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u043b\u0430\u0440\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0430\u0434\u044b:", - "ErrorLaunchingChromecast": "Chromecast \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u04a3\u044b\u0437 \u0441\u044b\u043c\u0441\u044b\u0437 \u0436\u0435\u043b\u0456\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", - "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0433\u0435", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessagePleaseSelectOneItem": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0431\u0456\u0440 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", "ButtonAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430", - "ButtonRename": "\u049a\u0430\u0439\u0442\u0430 \u0430\u0442\u0430\u0443", - "MessagePleaseSelectTwoItems": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0435\u043a\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", - "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", - "ButtonChangeType": "\u0422\u04af\u0440\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u0443", - "HeaderSelectChannelDownloadPath": "\u0410\u0440\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437", - "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", - "HeaderMediaLocations": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u043b\u0430\u0440\u044b", - "HeaderSelectChannelDownloadPathHelp": "\u0410\u0440\u043d\u0430 \u043a\u0435\u0448\u0456 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u0441\u0430\u049b\u0442\u0430\u043f \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b\u0434\u044b \u0448\u043e\u043b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u041e\u0441\u044b \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", - "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443", - "OptionNewCollection": "\u0416\u0430\u04a3\u0430...", - "ButtonPause": "\u04ae\u0437\u0443", - "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "LabelPathSubstitutionHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: \u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0436\u043e\u043b\u0434\u0430\u0440\u0434\u044b \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u049b\u043e\u0440 \u043a\u04e9\u0437\u0434\u0435\u0440\u0456\u043c\u0435\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", - "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", - "FolderTypeMovies": "\u041a\u0438\u043d\u043e", - "LabelCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b", - "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "FolderTypeAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0456\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", - "HeaderAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443", - "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", - "SettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", - "OptionParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442", - "FolderTypeHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", - "AddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", - "HeaderMenu": "\u041c\u04d9\u0437\u0456\u0440", - "FolderTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "Users": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "ButtonRefresh": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", - "PinCodeResetComplete": "PIN-\u043a\u043e\u0434 \u044b\u0441\u044b\u0440\u044b\u043b\u0434\u044b", - "ButtonOpen": "\u0410\u0448\u0443", - "FolderTypeBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "Delete": "\u0416\u043e\u044e", - "LabelCurrentPath": "\u0410\u0493\u044b\u043c\u0434\u044b\u049b \u0436\u043e\u043b:", - "TabAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", - "ButtonOpenInNewTab": "\u0416\u0430\u04a3\u0430 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0434\u0430 \u0430\u0448\u0443", - "FolderTypeTvShows": "\u0422\u0414", - "Administrator": "\u04d8\u043a\u0456\u043c\u0448\u0456", - "HeaderSelectMediaPath": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", - "PinCodeResetConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d PIN-\u043a\u043e\u0434\u0442\u044b \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "ButtonShuffle": "\u0410\u0440\u0430\u043b\u0430\u0441\u0442\u044b\u0440\u0443", - "ButtonCancelSyncJob": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0434\u0456 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", - "BirthPlaceValue": "\u0422\u0443\u0493\u0430\u043d \u043e\u0440\u043d\u044b: {0}", - "Password": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", - "ButtonNetwork": "\u0416\u0435\u043b\u0456", - "OptionContinuing": "\u0416\u0430\u043b\u0493\u0430\u0441\u0443\u0434\u0430", - "ButtonInstantMix": "\u041b\u0435\u0437\u0434\u0456\u043a \u049b\u043e\u0441\u043f\u0430\u043b\u0430\u0443", - "DeathDateValue": "\u04e8\u043b\u0433\u0435\u043d\u0456: {0}", - "MessageDirectoryPickerInstruction": "\u0416\u0435\u043b\u0456 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456 \u0431\u0430\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437 \u043e\u0440\u043d\u044b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0441\u0430, \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u0436\u043e\u043b\u0434\u0430\u0440 \u049b\u043e\u043b\u043c\u0435\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u043b\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d. \u041c\u044b\u0441\u0430\u043b\u044b, {0} \u043d\u0435\u043c\u0435\u0441\u0435 {1}.", - "HeaderPinCodeReset": "PIN-\u043a\u043e\u0434\u0442\u044b \u044b\u0441\u044b\u0440\u0443", - "OptionEnded": "\u0410\u044f\u049b\u0442\u0430\u043b\u0434\u044b", - "ButtonResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443", + "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0433\u0435", + "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0493\u0430", + "ButtonQuality": "\u0421\u0430\u043f\u0430\u0441\u044b\u043d\u0430", + "HeaderNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", + "HeaderSelectPlayer": "\u041e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", + "ButtonSelect": "\u0411\u04e9\u043b\u0435\u043a\u0442\u0435\u0443", + "ButtonNew": "\u0416\u0430\u0441\u0430\u0443", + "MessageInternetExplorerWebm": "Internet Explorer \u0430\u0440\u049b\u044b\u043b\u044b \u0435\u04a3 \u0436\u0430\u049b\u0441\u044b \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440\u0433\u0435 \u0438\u0435 \u0431\u043e\u043b\u0443 \u04af\u0448\u0456\u043d WebM \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "HeaderVideoError": "\u0411\u0435\u0439\u043d\u0435 \u049b\u0430\u0442\u0435\u0441\u0456", "ButtonAddToPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443", - "BirthDateValue": "\u0422\u0443\u0493\u0430\u043d\u044b: {0}", - "ButtonMoreItems": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a...", - "DeleteImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e", "HeaderAddToPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443", - "LabelSelectCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", - "MessageNoSyncJobsFound": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b. \u0412\u0435\u0431-\u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0430\u0442\u044b\u043d \u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u0440\u044b\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", - "ButtonRemoveFromPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", - "DeleteImageConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u0431\u04b1\u043b \u0441\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderLoginFailure": "\u041a\u0456\u0440\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456", - "OptionSunday": "\u0436\u0435\u043a\u0441\u0435\u043d\u0431\u0456", + "LabelName": "\u0410\u0442\u044b:", + "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443", "LabelSelectPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456:", - "LabelContentTypeValue": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0442\u04af\u0440\u0456: {0}", - "FileReadCancelled": "\u0424\u0430\u0439\u043b \u043e\u049b\u0443\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", - "OptionMonday": "\u0434\u04af\u0439\u0441\u0435\u043d\u0431\u0456", "OptionNewPlaylist": "\u0416\u0430\u04a3\u0430 \u043e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456...", - "FileNotFound": "\u0424\u0430\u0439\u043b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", - "HeaderPlaybackError": "\u041e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0442\u0435\u0441\u0456", - "OptionTuesday": "\u0441\u0435\u0439\u0441\u0435\u043d\u0431\u0456", "MessageAddedToPlaylistSuccess": "\u0416\u0430\u0440\u0430\u0439\u0434\u044b", - "FileReadError": "\u0424\u0430\u0439\u043b\u0434\u044b \u043e\u049b\u044b\u043f \u0436\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u049b\u0430\u0442\u0435 \u043f\u0430\u0439\u0434\u0430 \u0431\u043e\u043b\u0434\u044b.", - "HeaderName": "\u0410\u0442\u044b", - "OptionWednesday": "\u0441\u04d9\u0440\u0441\u0435\u043d\u0431\u0456", + "ButtonView": "\u049a\u0430\u0440\u0430\u0443", + "ButtonViewSeriesRecording": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0436\u0430\u0437\u0431\u0430\u0441\u044b\u043d \u049b\u0430\u0440\u0430\u0443", + "ValueOriginalAirDate": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u044d\u0444\u0438\u0440: {0}", + "ButtonRemoveFromPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "HeaderSpecials": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440", + "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", + "HeaderAudio": "\u0414\u044b\u0431\u044b\u0441", + "HeaderResolution": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b", + "HeaderVideo": "\u0411\u0435\u0439\u043d\u0435", + "HeaderRuntime": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b", + "HeaderCommunityRating": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", + "HeaderPasswordReset": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", + "HeaderParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b", + "HeaderReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456", + "HeaderDateAdded": "\u04ae\u0441\u0442\u0435\u0443 \u043a\u04af\u043d\u0456", + "HeaderSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "HeaderSeason": "\u041c\u0430\u0443\u0441\u044b\u043c", + "HeaderSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "HeaderNetwork": "\u0422\u0435\u043b\u0435\u0436\u0435\u043b\u0456", + "HeaderYear": "\u0416\u044b\u043b\u044b", + "HeaderGameSystem": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u0441\u0456", + "HeaderPlayers": "\u041e\u0439\u044b\u043d\u0448\u044b\u043b\u0430\u0440", + "HeaderEmbeddedImage": "\u0415\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442", + "HeaderTrack": "\u0416\u043e\u043b\u0448\u044b\u049b", + "HeaderDisc": "\u0414\u0438\u0441\u043a\u0456", + "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", "OptionCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", - "DeleteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443", - "OptionThursday": "\u0431\u0435\u0439\u0441\u0435\u043d\u0431\u0456", "OptionSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "DeleteUserConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessagePlaybackErrorNotAllowed": "\u041e\u0441\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0430\u0493\u044b\u043c\u0434\u0430 \u0441\u0456\u0437\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d. \u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", - "OptionFriday": "\u0436\u04b1\u043c\u0430", "OptionSeasons": "\u0422\u0414-\u043c\u0430\u0443\u0441\u044b\u043c\u0434\u0430\u0440", - "PasswordResetHeader": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "OptionSaturday": "\u0441\u0435\u043d\u0431\u0456", + "OptionEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "OptionGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "PasswordResetComplete": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u044b\u0441\u044b\u0440\u044b\u043b\u0434\u044b.", - "HeaderSpecials": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440", "OptionGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456", - "PasswordResetConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "MessagePlaybackErrorNoCompatibleStream": "\u0410\u0493\u044b\u043c\u0434\u0430 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0441\u044b\u0439\u044b\u0441\u044b\u043c\u0434\u044b \u0430\u0493\u044b\u043d\u0434\u0430\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u043b\u044b \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 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", - "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", "OptionMusicArtists": "\u041c\u0443\u0437\u044b\u043a\u0430 \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b", - "PasswordSaved": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0441\u0430\u049b\u0442\u0430\u043b\u0434\u044b.", - "HeaderAudio": "\u0414\u044b\u0431\u044b\u0441", "OptionMusicAlbums": "\u041c\u0443\u0437\u044b\u043a\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u044b", - "PasswordMatchError": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456 \u043c\u0435\u043d \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0440\u0430\u0441\u0442\u0430\u0443 \u04e9\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0441\u04d9\u0439\u043a\u0435\u0441 \u0431\u043e\u043b\u0443 \u043a\u0435\u0440\u0435\u043a.", - "HeaderResolution": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b", - "LabelFailed": "(\u0441\u04d9\u0442\u0441\u0456\u0437)", "OptionMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", - "MessagePlaybackErrorRateLimitExceeded": "\u041e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u04a3\u044b\u0437 \u0448\u0435\u043a\u0442\u0435\u043d \u0430\u0441\u044b\u043f \u043a\u0435\u0442\u043a\u0435\u043d. \u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", - "HeaderVideo": "\u0411\u0435\u0439\u043d\u0435", - "ButtonSelect": "\u0411\u04e9\u043b\u0435\u043a\u0442\u0435\u0443", - "LabelVersionNumber": "\u041d\u0443\u0441\u049b\u0430\u0441\u044b: {0}", "OptionSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", - "HeaderRuntime": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b", - "LabelPlayMethodTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u0430", "OptionHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", - "ButtonSave": "\u0421\u0430\u049b\u0442\u0430\u0443", - "HeaderCommunityRating": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", - "LabelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "LabelPlayMethodDirectStream": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443\u0434\u0430", "OptionBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "HeaderParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b", - "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:", - "HeaderChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "LabelPlayMethodDirectPlay": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443\u0434\u0430", "OptionAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", - "ButtonDownload": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", - "HeaderReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456", - "LabelEpisodeNumber": "\u0411\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:", - "LabelAudioCodec": "\u0414\u044b\u0431\u044b\u0441: {0}", "ButtonUp": "\u0416\u043e\u0493\u0430\u0440\u044b\u0493\u0430", - "LabelUnknownLanaguage": "\u0411\u0435\u043b\u0433\u0456\u0441\u0456\u0437 \u0442\u0456\u043b", - "HeaderDateAdded": "\u04ae\u0441\u0442\u0435\u0443 \u043a\u04af\u043d\u0456", - "LabelVideoCodec": "\u0411\u0435\u0439\u043d\u0435: {0}", "ButtonDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0435", - "HeaderCurrentSubtitles": "\u0410\u0493\u044b\u043c\u0434\u044b\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "ButtonPlayExternalPlayer": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u043f\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "TabSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "LabelRemoteAccessUrl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443: {0}", "LabelMetadataReaders": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043e\u049b\u0443\u0448\u044b\u043b\u0430\u0440\u044b:", - "MessageDownloadQueued": "\u0416\u04af\u043a\u0442\u0435\u0443 \u043a\u0435\u0437\u0435\u043a\u043a\u0435 \u043a\u0456\u0440\u0433\u0456\u0437\u0456\u043b\u0434\u0456.", - "HeaderSelectExternalPlayer": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", - "HeaderSeason": "\u041c\u0430\u0443\u0441\u044b\u043c", - "HeaderSupportTheTeam": "Emby \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437", - "LabelRunningOnPort": "{0} http-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456.", "LabelMetadataReadersHelp": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u043d\u0430\u0440 \u043a\u04e9\u0437\u0434\u0435\u0440\u0456\u043d\u0435 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u049b \u0440\u0435\u0442\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0434\u04d9\u0440\u0435\u0436\u0435 \u0431\u0435\u0440\u0456\u04a3\u0456\u0437. \u0411\u0456\u0440\u0456\u043d\u0448\u0456 \u0442\u0430\u0431\u044b\u043b\u0493\u0430\u043d \u0444\u0430\u0439\u043b \u043e\u049b\u044b\u043b\u0430\u0434\u044b.", - "MessageAreYouSureDeleteSubtitles": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0444\u0430\u0439\u043b\u044b\u043d \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "HeaderExternalPlayerPlayback": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u043f\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", - "LabelRunningOnPorts": "{0} http-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04d9\u043d\u0435 {1} https-\u043f\u043e\u0440\u0442\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456.", "LabelMetadataDownloaders": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440\u0456:", - "ButtonImDone": "\u041c\u0435\u043d \u0431\u0456\u0442\u0456\u0440\u0434\u0456\u043c", - "HeaderNetwork": "\u0422\u0435\u043b\u0435\u0436\u0435\u043b\u0456", "LabelMetadataDownloadersHelp": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u049b \u0440\u0435\u0442\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0434\u04d9\u0440\u0435\u0436\u0435 \u0431\u0435\u0440\u0456\u04a3\u0456\u0437. \u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b \u0431\u0430\u0440 \u0436\u04af\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u043e\u049b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u0442\u043e\u043b\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.", - "HeaderLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "HeaderYear": "\u0416\u044b\u043b\u044b", "LabelMetadataSavers": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b:", - "HeaderGameSystem": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u0441\u0456", - "MessagePleaseSupportProject": "Emby \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437.", "LabelMetadataSaversHelp": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0434\u0430 \u0441\u0430\u049b\u0442\u0430\u0439\u0442\u044b\u043d \u0444\u0430\u0439\u043b \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u0443.", - "HeaderPlayers": "\u041e\u0439\u044b\u043d\u0448\u044b\u043b\u0430\u0440", "LabelImageFetchers": "\u0421\u0443\u0440\u0435\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440\u0456:", - "HeaderEmbeddedImage": "\u0415\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442", - "ButtonNew": "\u0416\u0430\u0441\u0430\u0443", "LabelImageFetchersHelp": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0448\u0456\u043b\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u044b\u043c\u0434\u044b\u043b\u044b\u049b \u0440\u0435\u0442\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0434\u04d9\u0440\u0435\u0436\u0435 \u0431\u0435\u0440\u0456\u04a3\u0456\u0437.", - "MessageSwipeDownOnRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0493\u0430 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437. \u0411\u0430\u0441\u049b\u0430\u0440\u044b\u043b\u0430\u0442\u044b\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u0493\u0430\u0440\u044b \u043e\u04a3 \u0431\u04b1\u0440\u044b\u0448\u0442\u0430\u0493\u044b \u0442\u0430\u0440\u0430\u0442\u0443 \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043d \u043d\u04b1\u049b\u044b\u043f \u0442\u0430\u043d\u0434\u0430\u04a3\u044b\u0437. \u041e\u0441\u044b \u044d\u043a\u0440\u0430\u043d\u0434\u044b\u04a3 \u049b\u0430\u0439 \u0436\u0435\u0440\u0456\u043d\u0434\u0435 \u0442\u04e9\u043c\u0435\u043d\u0433\u0435 \u0441\u0438\u043f\u0430\u043f \u043e\u0442\u0456\u043f \u043a\u0435\u043b\u0433\u0435\u043d \u0436\u0435\u0440\u0456\u04a3\u0456\u0437\u0433\u0435 \u049b\u0430\u0439\u0442\u0430 \u043e\u0440\u0430\u043b\u044b\u04a3\u044b\u0437.", - "HeaderTrack": "\u0416\u043e\u043b\u0448\u044b\u049b", - "HeaderWelcomeToProjectServerDashboard": "Emby Server \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0430 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "HeaderDisc": "\u0414\u0438\u0441\u043a\u0456", - "HeaderWelcomeToProjectWebClient": "Emby \u0456\u0448\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", - "LabelName": "\u0410\u0442\u044b:", - "LabelAddedOnDate": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d\u0456 {0}", - "ButtonRemove": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443", - "ButtonStart": "\u0411\u0430\u0441\u0442\u0430\u0443", + "ButtonQueueAllFromHere": "\u0411\u04b1\u043b \u0430\u0440\u0430\u0434\u0430\u043d \u0431\u04d9\u0440\u0456\u043d \u043a\u0435\u0437\u0435\u043a\u043a\u0435", + "ButtonPlayAllFromHere": "\u0411\u04b1\u043b \u0430\u0440\u0430\u0434\u0430\u043d \u0431\u04d9\u0440\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u0443", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0443", + "PersonTypePerson": "\u0422\u04b1\u043b\u0493\u0430", + "LabelTitleDisplayOrder": "\u0422\u0443\u044b\u043d\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0440\u0435\u0442\u0456:", + "OptionSortName": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b", + "LabelDiscNumber": "\u0414\u0438\u0441\u043a\u0456 \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelParentNumber": "\u0422\u0435\u043a\u0442\u0456\u043a \u043d\u04e9\u043c\u0456\u0440:", + "LabelTrackNumber": "\u0416\u043e\u043b\u0448\u044b\u049b \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelNumber": "\u041d\u04e9\u043c\u0456\u0440\u0456:", + "LabelReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456:", + "LabelEndDate": "\u0410\u044f\u049b\u0442\u0430\u043b\u0443 \u043a\u04af\u043d\u0456:", + "LabelYear": "\u0416\u044b\u043b\u044b:", + "LabelDateOfBirth": "\u0422\u0443\u0493\u0430\u043d \u043a\u04af\u043d\u0456:", + "LabelBirthYear": "\u0422\u0443\u0493\u0430\u043d \u0436\u044b\u043b\u044b:", + "LabelBirthDate": "\u0422\u0443\u0493\u0430\u043d \u043a\u04af\u043d\u0456:", + "LabelDeathDate": "\u04e8\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456:", + "HeaderRemoveMediaLocation": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "MessageConfirmRemoveMediaLocation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u0434\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "HeaderRenameMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u049b\u0430\u0439\u0442\u0430 \u0430\u0442\u0430\u0443", + "LabelNewName": "\u0416\u0430\u04a3\u0430 \u0430\u0442\u044b", + "HeaderAddMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443", + "HeaderAddMediaFolderHelp": "\u0410\u0442\u044b (\u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430, \u0422\u0414, \u0442.\u0431.):", + "HeaderRemoveMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u043b\u0430\u0440\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0430\u0434\u044b:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "ButtonRename": "\u049a\u0430\u0439\u0442\u0430 \u0430\u0442\u0430\u0443", + "ButtonChangeType": "\u0422\u04af\u0440\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u0443", + "HeaderMediaLocations": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u043e\u0440\u043d\u0430\u043b\u0430\u0441\u0443\u043b\u0430\u0440\u044b", + "LabelContentTypeValue": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0442\u04af\u0440\u0456: {0}", + "LabelPathSubstitutionHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: \u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0436\u043e\u043b\u0434\u0430\u0440\u0434\u044b \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u049b\u043e\u0440 \u043a\u04e9\u0437\u0434\u0435\u0440\u0456\u043c\u0435\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", + "FolderTypeUnset": "\u0422\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u043c\u0430\u0493\u0430\u043d (\u0430\u0440\u0430\u043b\u0430\u0441 \u043c\u0430\u0437\u043c\u04b1\u043d)", + "FolderTypeMovies": "\u041a\u0438\u043d\u043e", + "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "FolderTypeAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0456\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "FolderTypeHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", + "FolderTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "FolderTypeBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", + "FolderTypeTvShows": "\u0422\u0414", + "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "TabSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "TabEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", + "TabGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "TabAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0435\u0440", + "TabSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", + "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "BirthPlaceValue": "\u0422\u0443\u0493\u0430\u043d \u043e\u0440\u043d\u044b: {0}", + "DeathDateValue": "\u04e8\u043b\u0433\u0435\u043d\u0456: {0}", + "BirthDateValue": "\u0422\u0443\u0493\u0430\u043d\u044b: {0}", + "HeaderLatestReviews": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043f\u0456\u043a\u0456\u0440\u043b\u0435\u0440", + "HeaderPluginInstallation": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043c\u044b", + "MessageAlreadyInstalled": "\u041e\u0441\u044b \u043d\u04b1\u0441\u049b\u0430 \u0431\u04b1\u0440\u044b\u043d\u043d\u0430\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d.", + "ValueReviewCount": "{0} \u043f\u0456\u043a\u0456\u0440", + "MessageYouHaveVersionInstalled": "\u049a\u0430\u0437\u0456\u0440 {0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", + "MessageTrialExpired": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", + "MessageTrialWillExpireIn": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 {0} \u043a\u04af\u043d\u0434\u0435 \u0430\u044f\u049b\u0442\u0430\u043b\u0430\u0434\u044b", + "MessageInstallPluginFromApp": "\u0411\u04b1\u043b \u043f\u043b\u0430\u0433\u0438\u043d \u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0441\u0430, \u0441\u043e\u043d\u044b\u04a3 \u0456\u0448\u0456\u043d\u0435\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456.", + "ValuePriceUSD": "\u0411\u0430\u0493\u0430\u0441\u044b: {0} USD", + "MessageFeatureIncludedWithSupporter": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0435\u043d\u0441\u0456\u0437, \u0436\u04d9\u043d\u0435 \u043e\u043d\u044b \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u044b \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0430 \u0430\u043b\u0430\u0441\u044b\u0437.", + "MessageChangeRecurringPlanConfirm": "\u041e\u0441\u044b \u043c\u04d9\u043c\u0456\u043b\u0435\u043d\u0456 \u0430\u044f\u049b\u0442\u0430\u0493\u0430\u043d\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u04e9\u0437\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 PayPal \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u0456\u0448\u0456\u043d\u0435\u043d \u0430\u043b\u0434\u044b\u04a3\u0493\u044b \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b. Emby \u049b\u043e\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0430\u043b\u0493\u044b\u0441.", + "MessageSupporterMembershipExpiredOn": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 {0} \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d.", + "MessageYouHaveALifetimeMembership": "\u0421\u0456\u0437\u0434\u0435 \u04e9\u043c\u0456\u0440\u0431\u0430\u049b\u0438 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u044b\u049b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0431\u0430\u0440. \u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0433\u0456 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f, \u0431\u0456\u0440\u0436\u043e\u043b\u0493\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u043d\u0435\u0433\u0456\u0437\u0456\u043d\u0434\u0435 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443\u0456\u04a3\u0456\u0437 \u043c\u04af\u043c\u043a\u0456\u043d. Emby \u049b\u043e\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0430\u043b\u0493\u044b\u0441.", + "MessageYouHaveAnActiveRecurringMembership": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 {0} \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d\u0435 \u0442\u0438\u0435\u0441\u043b\u0456\u0441\u0456\u0437. \u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0433\u0456 \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u0436\u043e\u0441\u043f\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0442\u0435\u0440\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0431\u0430\u0440", + "ButtonDelete": "\u0416\u043e\u044e", "HeaderEmbyAccountAdded": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0434\u0456", - "HeaderBlockItemsWithNoRating": "\u0416\u0430\u0441\u0442\u044b\u049b \u0441\u0430\u043d\u0430\u0442\u044b \u0436\u043e\u049b \u043c\u0430\u0437\u04b1\u043d\u0434\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443:", - "LabelLocalAccessUrl": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u049b\u0430\u0442\u044b\u043d\u0430\u0443: {0}", - "OptionBlockOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", - "SyncJobStatusReadyToTransfer": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0434\u0430\u0439\u044b\u043d", - "OptionBlockTvShows": "\u0422\u0414 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440\u0456", - "SyncJobItemStatusReadyToTransfer": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0434\u0430\u0439\u044b\u043d", "MessageEmbyAccountAdded": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0433\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0434\u0456.", - "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", - "OptionBlockMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "OptionBlockMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "HeaderAllRecordings": "\u0411\u0430\u0440\u043b\u044b\u049b \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", "MessagePendingEmbyAccountAdded": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0433\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0434\u0456. \u0422\u0456\u0440\u043a\u0435\u043b\u0433\u0456 \u0438\u0435\u0441\u0456\u043d\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0434\u0456. \u042d-\u043f\u043e\u0448\u0442\u0430\u0434\u0430\u0493\u044b \u0441\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u043d\u04b1\u049b\u044b\u043f \u0448\u0430\u049b\u044b\u0440\u0443\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", - "OptionBlockBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "ButtonPlay": "\u041e\u0439\u043d\u0430\u0442\u0443", - "OptionBlockGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "MessageKeyEmailedTo": "\u041a\u0456\u043b\u0442 {0} \u04af\u0448\u0456\u043d \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u0434\u044b \u043f\u043e\u0448\u0442\u0430\u043c\u0435\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", - "TabGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "ButtonEdit": "\u04e8\u04a3\u0434\u0435\u0443", - "OptionBlockLiveTvPrograms": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0442\u0430\u0440\u0430\u0442\u044b\u043c\u0434\u0430\u0440\u044b", - "MessageKeysLinked": "\u041a\u0456\u043b\u0442\u0442\u0435\u0440 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0434\u044b.", - "HeaderEmbyAccountRemoved": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b", - "OptionBlockLiveTvChannels": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u044b", - "HeaderConfirmation": "\u0420\u0430\u0441\u0442\u0430\u0443", - "ButtonDelete": "\u0416\u043e\u044e", - "OptionBlockChannelContent": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b", - "MessageKeyUpdated": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u04a3\u0456\u0437 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b.", - "MessageKeyRemoved": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u04a3\u0456\u0437 \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b.", - "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "MessageEmbyAccontRemoved": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u044b\u043d\u0434\u044b.", - "HeaderSearch": "\u0406\u0437\u0434\u0435\u0443", - "OptionEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "LabelArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b", - "LabelMovie": "\u0424\u0438\u043b\u044c\u043c", - "HeaderPasswordReset": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "TooltipLinkedToEmbyConnect": "Emby Connect \u04af\u0448\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0493\u0430\u043d", - "LabelMusicVideo": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", - "LabelEpisode": "\u0411\u04e9\u043b\u0456\u043c", - "LabelAbortedByServerShutdown": "(\u0421\u0435\u0440\u0432\u0435\u0440 \u0436\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443 \u0441\u0435\u0431\u0435\u0431\u0456\u043d\u0435\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b)", - "HeaderConfirmSeriesCancellation": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b\u04a3 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443\u044b\u043d \u0440\u0430\u0441\u0442\u0430\u0443", - "LabelStopping": "\u0422\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0443\u0434\u0430", - "MessageConfirmSeriesCancellation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "LabelCancelled": "(\u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b)", - "MessageSeriesCancelled": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b.", - "HeaderConfirmDeletion": "\u0416\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", - "MessageConfirmPathSubstitutionDeletion": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", - "LabelScheduledTaskLastRan": "\u041a\u0435\u0439\u0456\u043d\u0433\u0456 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b {0}, {1} \u0430\u043b\u0434\u044b.", - "LiveTvUpdateAvailable": "(\u0416\u0430\u04a3\u0430\u0440\u0442\u0443 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456)", - "TitleLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", - "HeaderDeleteTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u0436\u043e\u044e", - "LabelVersionUpToDate": "\u0416\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d!", - "ButtonTakeTheTour": "\u0410\u0440\u0430\u043b\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437", - "ButtonInbox": "\u041a\u0456\u0440\u0435\u0441\u0456\u043d", - "HeaderPlotKeywords": "\u0421\u044e\u0436\u0435\u0442\u0442\u0456\u043d \u043a\u0456\u043b\u0442 \u0441\u04e9\u0437\u0434\u0435\u0440\u0456", - "HeaderTags": "\u0422\u0435\u0433\u0442\u0435\u0440", - "TabCast": "\u0420\u04e9\u043b\u0434\u0435\u0440", - "WebClientTourMySync": "\u0414\u0435\u0440\u0431\u0435\u0441 \u049b\u0430\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437.", - "TabScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", - "DashboardTourSync": "\u0414\u0435\u0440\u0431\u0435\u0441 \u049b\u0430\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437.", - "MessageRefreshQueued": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443 \u043a\u0435\u0437\u0435\u043a\u0442\u0435", - "DashboardTourHelp": "\u042d\u043a\u0440\u0430\u043d\u0434\u0430\u0493\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430 \u049b\u0430\u0442\u044b\u0441\u0442\u044b \u0443\u0438\u043a\u0438 \u0431\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u0430\u0448\u0443 \u04af\u0448\u0456\u043d \u0456\u0448\u043a\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456. ", - "DeviceLastUsedByUserName": "{0} \u0430\u0440\u049b\u044b\u043b\u044b \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0493\u0430\u043d", - "HeaderDeleteDevice": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u044e", - "DeleteDeviceConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u0411\u04b1\u043b \u043a\u0435\u043b\u0435\u0441\u0456 \u0440\u0435\u0442\u0442\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043e\u0441\u044b\u0434\u0430\u043d \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u049b\u0430\u0439\u0442\u0430 \u043f\u0430\u0439\u0434\u0430 \u0431\u043e\u043b\u0430\u0434\u044b.", - "LabelEnableCameraUploadFor": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443:", - "HeaderSelectUploadPath": "\u041a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", - "LabelEnableCameraUploadForHelp": "Emby \u0456\u0448\u0456\u043d\u0435 \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443\u043b\u0430\u0440 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u04e9\u043d\u0434\u0456\u043a \u0440\u0435\u0436\u0456\u043c\u0456\u043d\u0434\u0435 \u04e9\u0442\u0435\u0434\u0456.", - "ButtonLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "ButtonParentalControl": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0443", - "TabDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", - "LabelItemLimit": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0448\u0435\u0433\u0456:", - "HeaderAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", - "LabelItemLimitHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: \u04ae\u043d\u0434-\u0442\u0456\u043d \u0442\u0430\u0440\u043c\u0430\u049b \u0441\u0430\u043d\u044b \u0448\u0435\u0433\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "MessageBookPluginRequired": "Bookshelf \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456", + "HeaderEmbyAccountRemoved": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b", + "MessageEmbyAccontRemoved": "Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456 \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u044b\u043d\u0434\u044b.", + "TooltipLinkedToEmbyConnect": "Emby Connect \u04af\u0448\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0493\u0430\u043d", + "HeaderUnrated": "\u0411\u0430\u0493\u0430\u043b\u0430\u043d\u0431\u0430\u0493\u0430\u043d", + "ValueDiscNumber": "{0}-\u0434\u0438\u0441\u043a\u0456", + "HeaderUnknownDate": "\u041a\u04af\u043d\u0456 \u0431\u0435\u043b\u0433\u0456\u0441\u0456\u0437", + "HeaderUnknownYear": "\u0416\u044b\u043b\u044b \u0431\u0435\u043b\u0433\u0456\u0441\u0456\u0437", + "ValueMinutes": "{0} \u043c\u0438\u043d", + "ButtonPlayExternalPlayer": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u043f\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443", + "HeaderSelectExternalPlayer": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderExternalPlayerPlayback": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u043f\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443", + "ButtonImDone": "\u041c\u0435\u043d \u0431\u0456\u0442\u0456\u0440\u0434\u0456\u043c", + "OptionWatched": "\u049a\u0430\u0440\u0430\u043b\u0493\u0430\u043d", + "OptionUnwatched": "\u049a\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d", + "ExternalPlayerPlaystateOptionsHelp": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0440\u0435\u0442\u0442\u0435 \u043e\u0441\u044b \u0431\u0435\u0439\u043d\u0435\u043d\u0456 \u049b\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u049b\u0430\u043b\u0430\u0439 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.", + "LabelMarkAs": "\u0411\u044b\u043b\u0430\u0439\u0448\u0430 \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443:", + "OptionInProgress": "\u041e\u0440\u044b\u043d\u0434\u0430\u043b\u0443\u0434\u0430", + "LabelResumePoint": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u043d\u04af\u043a\u0442\u0435\u0441\u0456:", + "ValueOneMovie": "1 \u0444\u0438\u043b\u044c\u043c", + "ValueMovieCount": "{0} \u0444\u0438\u043b\u044c\u043c", + "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "ValueOneSeries": "1 \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f", + "ValueSeriesCount": "{0} \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f", + "ValueOneEpisode": "1 \u0431\u04e9\u043b\u0456\u043c", + "ValueEpisodeCount": "{0} \u0431\u04e9\u043b\u0456\u043c", + "ValueOneGame": "1 \u043e\u0439\u044b\u043d", + "ValueGameCount": "{0} \u043e\u0439\u044b\u043d", + "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", + "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c", + "ValueOneSong": "1 \u04d9\u0443\u0435\u043d", + "ValueSongCount": "{0} \u04d9\u0443\u0435\u043d", + "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", + "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435", + "HeaderOffline": "\u0414\u0435\u0440\u0431\u0435\u0441", + "HeaderUnaired": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d", + "HeaderMissing": "\u0416\u043e\u049b", + "ButtonWebsite": "\u0421\u0430\u0439\u0442\u044b\u043d\u0430", + "TooltipFavorite": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b", + "TooltipLike": "\u04b0\u043d\u0430\u0439\u0434\u044b", + "TooltipDislike": "\u04b0\u043d\u0430\u043c\u0430\u0439\u0434\u044b", + "TooltipPlayed": "\u041e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", + "ValueSeriesYearToPresent": "{0} - \u049b\u0430\u0437\u0456\u0440\u0434\u0435", + "ValueAwards": "\u041c\u0430\u0440\u0430\u043f\u0430\u0442\u0442\u0430\u0440: {0}", + "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442\u0456: {0}", + "ValueRevenue": "\u0422\u0430\u0431\u044b\u0441\u044b: {0}", + "ValuePremiered": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430\u0441\u044b {0}", + "ValuePremieres": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430\u0441\u044b {0}", + "ValueStudio": "\u0421\u0442\u0443\u0434\u0438\u044f\u0441\u044b: {0}", + "ValueStudios": "\u0421\u0442\u0443\u0434\u0438\u044f\u043b\u0430\u0440\u044b: {0}", + "ValueStatus": "\u041a\u04af\u0439\u0456: {0}", + "ValueSpecialEpisodeName": "\u0410\u0440\u043d\u0430\u0439\u044b - {0}", + "LabelLimit": "\u0428\u0435\u0433\u0456:", + "ValueLinks": "\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440: {0}", + "HeaderPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", "HeaderCastAndCrew": "\u0422\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440", - "MessageGamePluginRequired": "GameBrowser \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456", "ValueArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b: {0}", "ValueArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440: {0}", + "HeaderTags": "\u0422\u0435\u0433\u0442\u0435\u0440", "MediaInfoCameraMake": "\u041a\u0430\u043c\u0435\u0440\u0430 \u04e9\u043d\u0434-\u0441\u0456", "MediaInfoCameraModel": "\u041a\u0430\u043c\u0435\u0440\u0430 \u043c\u043e\u0434\u0435\u043b\u0456", "MediaInfoAltitude": "\u0411\u0438\u0456\u043a\u0442\u0456\u0433\u0456", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "\u0411\u043e\u0439\u043b\u044b\u0493\u044b", "MediaInfoShutterSpeed": "\u041e\u0431\u0442-\u0440 \u0436\u044b\u043b\u0434-\u0493\u044b", "MediaInfoSoftware": "\u0411\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b", - "TabNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", "HeaderIfYouLikeCheckTheseOut": "\u0415\u0433\u0435\u0440 {0} \u04b1\u043d\u0430\u0441\u0430, \u0431\u04b1\u043b\u0430\u0440\u0434\u044b \u0431\u0430\u0439\u049b\u0430\u04a3\u044b\u0437...", + "HeaderPlotKeywords": "\u0421\u044e\u0436\u0435\u0442\u0442\u0456\u043d \u043a\u0456\u043b\u0442 \u0441\u04e9\u0437\u0434\u0435\u0440\u0456", "HeaderMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", "HeaderAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", "HeaderGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "HeaderConnectionFailure": "\u049a\u043e\u0441\u044b\u043b\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437", "HeaderBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "MessageUnableToConnectToServer": "\u0422\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u044b\u043c\u044b\u0437 \u0434\u04d9\u043b \u049b\u0430\u0437\u0456\u0440 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441. \u0411\u04b1\u043b \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437 \u0436\u04d9\u043d\u0435 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "MessageUnsetContentHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456. \u0415\u04a3 \u0436\u0430\u049b\u0441\u044b \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u0430\u043b\u0443 \u04af\u0448\u0456\u043d, \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u043c\u0430\u0437\u043c\u04af\u043d \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043f \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437", + "HeaderEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "HeaderSeasons": "\u041c\u0430\u0443\u0441\u044b\u043c\u0434\u0430\u0440", "HeaderTracks": "\u0416\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440", "HeaderItems": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440", @@ -653,153 +632,178 @@ "ButtonFullReview": "\u0422\u043e\u043b\u044b\u049b \u043f\u0456\u043a\u0456\u0440\u0441\u0430\u0440\u0430\u043f\u049b\u0430", "ValueAsRole": "{0} \u0440\u0435\u0442\u0456\u043d\u0434\u0435", "ValueGuestStar": "\u0428\u0430\u049b\u044b\u0440\u044b\u043b\u0493\u0430\u043d \u0430\u043a\u0442\u0435\u0440", - "HeaderInviteGuest": "\u049a\u043e\u043d\u0430\u049b\u0442\u044b \u0448\u0430\u049b\u044b\u0440\u0443", "MediaInfoSize": "\u04e8\u043b\u0448\u0435\u043c\u0456", "MediaInfoPath": "\u0416\u043e\u043b\u044b", - "MessageConnectAccountRequiredToInviteGuest": "\u049a\u043e\u043d\u0430\u049b\u0442\u0430\u0440\u0434\u044b \u0448\u0430\u049b\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043e\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0433\u0435 Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u0440\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442.", "MediaInfoFormat": "\u041f\u0456\u0448\u0456\u043c\u0456", "MediaInfoContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0456", "MediaInfoDefault": "\u04d8\u0434\u0435\u043f\u043a\u0456", "MediaInfoForced": "\u041c\u04d9\u0436\u0431\u04af\u0440\u043b\u0456", - "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440", "MediaInfoExternal": "\u0421\u044b\u0440\u0442\u049b\u044b", - "OptionAutomaticallySyncNewContent": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", "MediaInfoTimestamp": "\u0423\u0430\u049b\u044b\u0442 \u0431\u0435\u043b\u0433\u0456\u0441\u0456", - "OptionAutomaticallySyncNewContentHelp": "\u0416\u0430\u04a3\u0430\u0434\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043e\u0441\u044b \u049b\u04b1\u0440-\u043c\u0435\u043d \u04af\u043d\u0434-\u0434\u0456.", "MediaInfoPixelFormat": "\u041f\u0438\u043a\u0441. \u043f\u0456\u0448\u0456\u043c\u0456", - "OptionSyncUnwatchedVideosOnly": "\u049a\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u04af\u043d\u0434-\u0456\u0440\u0443", "MediaInfoBitDepth": "\u0422\u04af\u0441 \u0442\u0435\u0440\u0435\u04a3\u0434\u0456\u0433\u0456", - "OptionSyncUnwatchedVideosOnlyHelp": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u04af\u043d\u0434-\u0434\u0456, \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u049b\u04b1\u0440-\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0430\u0434\u044b.", "MediaInfoSampleRate": "\u04ae\u043b\u0433\u0456 \u0436\u0438\u0456\u043b\u0456\u0433\u0456", - "ButtonSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", "MediaInfoBitrate": "\u049a\u0430\u0440\u049b\u044b\u043d\u044b", "MediaInfoChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u044b", "MediaInfoLayout": "\u0416\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u0443\u044b", "MediaInfoLanguage": "\u0422\u0456\u043b\u0456", - "ButtonUnlockPrice": "{0} \u049b\u04b1\u043b\u044b\u043f\u0442\u0430\u043c\u0430\u0443", "MediaInfoCodec": "\u041a\u043e\u0434\u0435\u043a", "MediaInfoProfile": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", "MediaInfoLevel": "\u0414\u0435\u04a3\u0433\u0435\u0439\u0456", - "HeaderSaySomethingLike": "\u041e\u0441\u044b\u043d\u0434\u0430\u0439 \u0441\u0438\u044f\u049b\u0442\u044b\u043d\u044b \u0430\u0439\u0442\u044b\u04a3\u044b\u0437...", "MediaInfoAspectRatio": "\u041f\u0456\u0448\u0456\u043c\u0434\u0456\u043a \u0430\u0440\u0430\u049b\u0430\u0442\u044b\u043d\u0430\u0441\u044b", "MediaInfoResolution": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b", "MediaInfoAnamorphic": "\u0410\u043d\u0430\u043c\u043e\u0440\u0444\u0442\u044b\u049b", - "ButtonTryAgain": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u0443", "MediaInfoInterlaced": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435\u0441\u0443\u043b\u0456\u043a", "MediaInfoFramerate": "\u041a\u0430\u0434\u0440 \u0436\u044b\u043b\u0434-\u0493\u044b", "MediaInfoStreamTypeAudio": "\u0414\u044b\u0431\u044b\u0441", - "HeaderYouSaid": "\u0421\u0456\u0437 \u0430\u0439\u0442\u049b\u0430\u043d\u044b\u04a3\u044b\u0437...", "MediaInfoStreamTypeData": "\u0414\u0435\u0440\u0435\u043a\u0442\u0435\u0440", "MediaInfoStreamTypeVideo": "\u0411\u0435\u0439\u043d\u0435", "MediaInfoStreamTypeSubtitle": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "MessageWeDidntRecognizeCommand": "\u041e\u0441\u044b\u043d\u0434\u0430\u0439 \u043f\u04d9\u0440\u043c\u0435\u043d\u0434\u0456 \u0442\u0430\u043d\u044b\u043f \u0430\u0439\u044b\u0440\u043c\u0430\u0434\u044b\u049b.", "MediaInfoStreamTypeEmbeddedImage": "\u0415\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442", "MediaInfoRefFrames": "\u0422\u0456\u0440\u0435\u043a \u043a\u0430\u0434\u0440\u043b\u0430\u0440", - "MessageIfYouBlockedVoice": "\u0415\u0433\u0435\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0434\u0430\u0443\u044b\u0441\u0442\u044b\u049b \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u0430\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0441\u0430\u04a3\u044b\u0437, \u049b\u0430\u0439\u0442\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u043d\u0443\u0456\u04a3\u0456\u0437\u0434\u0435\u043d \u0430\u043b\u0434\u044b\u043d\u0430\u043d \u049b\u0430\u0439\u0442\u0430 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456\u04a3\u0456\u0437 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", - "MessageNoItemsFound": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", + "TabPlayback": "\u041e\u0439\u043d\u0430\u0442\u0443", + "TabNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", + "TabExpert": "\u0421\u0430\u0440\u0430\u043f\u0442\u0430\u043c\u0430\u043b\u044b\u049b", + "HeaderSelectCustomIntrosPath": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u043b\u0435\u0440\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderRateAndReview": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443 \u0436\u04d9\u043d\u0435 \u043f\u0456\u043a\u0456\u0440\u043b\u0435\u0441\u0443", + "HeaderThankYou": "\u0420\u0430\u0445\u043c\u0435\u0442 \u0441\u0456\u0437\u0433\u0435", + "MessageThankYouForYourReview": "\u041f\u0456\u043a\u0456\u0440\u0456\u04a3\u0456\u0437 \u04af\u0448\u0456\u043d \u0440\u0430\u0445\u043c\u0435\u0442 \u0441\u0456\u0437\u0433\u0435", + "LabelYourRating": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437", + "LabelFullReview": "\u041f\u0456\u043a\u0456\u0440 \u0442\u043e\u043b\u044b\u0493\u044b\u043c\u0435\u043d:", + "LabelShortRatingDescription": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u044b\u04a3 \u049b\u044b\u0441\u049b\u0430 \u0430\u049b\u043f\u0430\u0440\u044b:", + "OptionIRecommendThisItem": "\u041e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u04b1\u0441\u044b\u043d\u0430\u043c\u044b\u043d", + "WebClientTourContent": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456, \u043a\u0435\u043b\u0435\u0441\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u049b\u0430\u0440\u0430\u04a3\u044b\u0437. \u0416\u0430\u0441\u044b\u043b \u0448\u0435\u043d\u0431\u0435\u0440\u043b\u0435\u0440 \u0441\u0456\u0437\u0434\u0435 \u049b\u0430\u043d\u0448\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0431\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456.", + "WebClientTourMovies": "\u0492\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u0456 \u0431\u0430\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u043e\u0439\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "WebClientTourMouseOver": "\u041c\u0430\u04a3\u044b\u0437\u0434\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u049b\u0430 \u0436\u044b\u043b\u0434\u0430\u043c \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u0436\u0430\u0440\u049b\u0430\u0493\u0430\u0437\u0434\u044b\u04a3 \u04af\u0441\u0442\u0456\u043d\u0434\u0435 \u0442\u0456\u043d\u0442\u0443\u0440\u0434\u0456\u04a3 \u043a\u04e9\u0440\u0441\u0435\u0442\u043a\u0456\u0448\u0456\u043d \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437", + "WebClientTourTapHold": "\u041c\u04d9\u0442\u0456\u043d\u043c\u04d9\u043d\u0434\u0456\u043a \u043c\u04d9\u0437\u0456\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u0436\u0430\u0440\u049b\u0430\u0493\u0430\u0437\u0434\u044b \u0442\u04af\u0440\u0442\u0456\u043f \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \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", + "WebClientTourMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u0430\u0448\u0443 \u04af\u0448\u0456\u043d \u04e8\u04a3\u0434\u0435\u0443 \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437", + "WebClientTourPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0436\u04d9\u043d\u0435 \u043b\u0435\u0437\u0434\u0456\u043a \u049b\u043e\u0441\u043f\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u0435\u04a3\u0456\u043b \u0436\u0430\u0441\u0430\u04a3\u044b\u0437, \u0436\u04d9\u043d\u0435 \u043e\u043b\u0430\u0440\u0434\u044b \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u04a3\u044b\u0437", + "WebClientTourCollections": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u0431\u0456\u0440\u0433\u0435 \u0442\u043e\u043f\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0444\u0438\u043b\u044c\u043c \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u044b\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437", + "WebClientTourUserPreferences1": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456 Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u0431\u04d9\u0440\u0456\u043d\u0434\u0435 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u04a3\u044b\u0437 \u049b\u0430\u043b\u0430\u0439 \u049b\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0442\u0456\u043d \u0442\u04d9\u0441\u0456\u043b\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456", + "WebClientTourUserPreferences2": "\u04d8\u0440\u0431\u0456\u0440 Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b \u04af\u0448\u0456\u043d \u0434\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u0436\u04d9\u043d\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0442\u0456\u043b\u0434\u0456\u043a \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u0431\u0456\u0440\u0436\u043e\u043b\u0493\u044b \u0442\u0435\u04a3\u0448\u0435\u04a3\u0456\u0437", + "WebClientTourUserPreferences3": "\u04b0\u043d\u0430\u0442\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0456\u043d\u0456\u04a3 \u0431\u0430\u0441\u0442\u044b \u0431\u0435\u0442\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0440\u0435\u0441\u0456\u043c\u0434\u0435\u04a3\u0456\u0437", + "WebClientTourUserPreferences4": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456, \u0442\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0441\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u044b \u0442\u0435\u04a3\u0448\u0435\u04a3\u0456\u0437", + "WebClientTourMobile1": "\u0492\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0456 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0434\u0430\u0440\u0434\u0430 \u0436\u04d9\u043d\u0435 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u0442\u0430\u043c\u0430\u0448\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456", + "WebClientTourMobile2": "\u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b \u043c\u0435\u043d Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u0434\u044b \u043e\u04a3\u0430\u0439 \u0431\u0430\u0441\u049b\u0430\u0440\u0430\u0434\u044b", + "WebClientTourMySync": "\u0414\u0435\u0440\u0431\u0435\u0441 \u049b\u0430\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437.", + "MessageEnjoyYourStay": "\u0416\u0430\u0493\u044b\u043c\u0434\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u04a3\u044b\u0437", + "DashboardTourDashboard": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u041a\u0456\u043c \u043d\u0435 \u0456\u0441\u0442\u0435\u0433\u0435\u043d\u0456\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u0439\u0434\u0430 \u0442\u04b1\u0440\u0493\u0430\u043d\u044b\u043d \u0431\u0456\u043b\u0456\u043f \u0436\u0430\u0442\u0430\u0441\u044b\u0437.", + "DashboardTourHelp": "\u042d\u043a\u0440\u0430\u043d\u0434\u0430\u0493\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430 \u049b\u0430\u0442\u044b\u0441\u0442\u044b \u0443\u0438\u043a\u0438 \u0431\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u0430\u0448\u0443 \u04af\u0448\u0456\u043d \u0456\u0448\u043a\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456. ", + "DashboardTourUsers": "\u0414\u043e\u0441\u0442\u0430\u0440\u044b\u04a3\u044b\u0437 \u0431\u0435\u043d \u043e\u0442\u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u04d9\u0440\u049b\u0430\u0439\u0441\u044b\u043d\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u049b\u04b1\u049b\u044b\u049b\u0442\u0430\u0440\u044b, \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443, \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u0431\u0430\u0440 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043b\u0435\u0440\u0456\u043d \u0436\u0435\u04a3\u0456\u043b \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", + "DashboardTourCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u0434\u0456 \u0431\u0430\u0441\u0442\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043c\u0435\u043d \u043a\u0438\u043d\u043e \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0437\u0430\u043b \u04d9\u0441\u0435\u0440\u0456\u043d \u049b\u043e\u043d\u0430\u049b\u0436\u0430\u0439\u044b\u04a3\u044b\u0437\u0493\u0430 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0436\u0435\u0442\u043a\u0456\u0437\u0435\u0434\u0456.", + "DashboardTourChapters": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u049b\u0430\u0440\u0430\u0493\u0430\u043d \u043a\u0435\u0437\u0434\u0435 \u04b1\u043d\u0430\u043c\u0434\u044b\u043b\u0430\u0443 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c \u04af\u0448\u0456\u043d \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0442\u0443\u0434\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.", + "DashboardTourSubtitles": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0433\u0435 \u049b\u0430\u0439 \u0442\u0456\u043b\u0434\u0435 \u0431\u043e\u043b\u0441\u044b\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u04a3\u0456\u0437.", + "DashboardTourPlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456, \u043c\u044b\u0441\u0430\u043b\u044b, \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0430\u0440\u043d\u0430\u043b\u0430\u0440\u044b\u043d, \u044d\u0444\u0438\u0440\u043b\u0456\u043a \u0442\u0434, \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u0436\u0456\u043d\u0435 \u0442.\u0431., \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "DashboardTourNotifications": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043e\u049b\u0438\u0493\u0430\u043b\u0430\u0440\u044b \u0442\u0443\u0440\u0430\u043b\u044b \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440\u0434\u044b \u04b1\u0442\u049b\u044b\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u04a3\u044b\u0437\u0493\u0430, \u044d-\u043f\u043e\u0448\u0442\u0430\u04a3\u044b\u0437\u0493\u0430 \u0436\u04d9\u043d\u0435 \u0442.\u0431.\u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u0456\u0431\u0435\u0440\u0456\u04a3\u0456\u0437.", + "DashboardTourScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u04b1\u0437\u0430\u049b \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0435\u04a3\u0456\u043b \u0431\u0430\u0441\u049b\u0430\u0440\u044b\u04a3\u044b\u0437. \u0411\u04b1\u043b\u0430\u0440 \u049b\u0430\u0448\u0430\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u043d\u0434\u0430\u0439 \u0436\u0438\u0456\u043b\u0456\u043a\u043f\u0435\u043d \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d\u044b\u043d \u0448\u0435\u0448\u0456\u04a3\u0456\u0437.", + "DashboardTourMobile": "Emby Server \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0434\u0430\u0440 \u043c\u0435\u043d \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u0437\u043e\u0440 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0436\u0435\u0440\u0434\u0435, \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u0430\u043b\u0430\u049b\u0430\u043d\u044b\u04a3\u044b\u0437\u0434\u0430\u0493\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043c\u0435\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u044b\u04a3\u044b\u0437.", + "DashboardTourSync": "\u0414\u0435\u0440\u0431\u0435\u0441 \u049b\u0430\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437.", + "MessageRefreshQueued": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443 \u043a\u0435\u0437\u0435\u043a\u0442\u0435", + "TabDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", + "TabExtras": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430\u043b\u0430\u0440", + "DeviceLastUsedByUserName": "{0} \u0430\u0440\u049b\u044b\u043b\u044b \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0493\u0430\u043d", + "HeaderDeleteDevice": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u044e", + "DeleteDeviceConfirmation": "\u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043e\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0436\u043e\u044e \u049b\u0430\u0436\u0435\u0442 \u043f\u0435? \u0411\u04b1\u043b \u043a\u0435\u043b\u0435\u0441\u0456 \u0440\u0435\u0442\u0442\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043e\u0441\u044b\u0434\u0430\u043d \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u049b\u0430\u0439\u0442\u0430 \u043f\u0430\u0439\u0434\u0430 \u0431\u043e\u043b\u0430\u0434\u044b.", + "LabelEnableCameraUploadFor": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443:", + "HeaderSelectUploadPath": "\u041a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443", + "LabelEnableCameraUploadForHelp": "Emby \u0456\u0448\u0456\u043d\u0435 \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443\u043b\u0430\u0440 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u04e9\u043d\u0434\u0456\u043a \u0440\u0435\u0436\u0456\u043c\u0456\u043d\u0434\u0435 \u04e9\u0442\u0435\u0434\u0456.", + "ErrorMessageStartHourGreaterThanEnd": "\u0410\u044f\u049b\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b \u0431\u0430\u0441\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d\u0440\u0435\u043a \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", + "ButtonLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "ButtonParentalControl": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0443", + "HeaderInvitationSent": "\u0428\u0430\u049b\u044b\u0440\u0443 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456", + "MessageInvitationSentToUser": "\u041e\u043b\u0430\u0440\u0493\u0430 \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u0448\u0430\u049b\u044b\u0440\u0443\u044b\u04a3\u044b\u0437\u0434\u044b \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0443 \u04b1\u0441\u044b\u043d\u044b\u0441\u044b\u043c\u0435\u043d, \u044d-\u043f\u043e\u0448\u0442\u0430 {0} \u0430\u0440\u043d\u0430\u043f \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", + "MessageInvitationSentToNewUser": "Emby \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0443 \u0448\u0430\u049b\u044b\u0440\u0443\u044b\u04a3\u044b\u0437, \u044d-\u043f\u043e\u0448\u0442\u0430 {0} \u04af\u0448\u0456\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", + "HeaderConnectionFailure": "\u049a\u043e\u0441\u044b\u043b\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437", + "MessageUnableToConnectToServer": "\u0422\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u044b\u043c\u044b\u0437 \u0434\u04d9\u043b \u049b\u0430\u0437\u0456\u0440 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441. \u0411\u04b1\u043b \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437 \u0436\u04d9\u043d\u0435 \u04d9\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", - "ButtonManageServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0431\u0430\u0441\u049b\u0430\u0440\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.", - "ButtonPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440", - "ButtonViewArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043d\u044b \u049b\u0430\u0440\u0430\u0443", - "ButtonViewAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u044b \u049b\u0430\u0440\u0430\u0443", "MessageLoggedOutParentalControl": "\u0410\u0493\u044b\u043c\u0434\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\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.", - "EmbyIntroDownloadMessage": "Emby Server \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u043c\u0435\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d {0} \u0431\u0430\u0440\u044b\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437.", - "LabelProfile": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b:", + "DefaultErrorMessage": "\u0421\u0430\u0443\u0430\u043b \u04e9\u04a3\u0434\u0435\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "ButtonAccept": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u0443", + "ButtonReject": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u043c\u0430\u0443", + "HeaderForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", + "MessageContactAdminToResetPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u04a3\u0456\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", + "MessageForgotPasswordInNetworkRequired": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u04af\u0448\u0456\u043d \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u04af\u0439\u043b\u0456\u043a \u0436\u0435\u043b\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u0456\u0448\u0456\u043d\u0434\u0435 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "MessageForgotPasswordFileCreated": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0435 \u0436\u0430\u0441\u0430\u043b\u0434\u044b \u0436\u04d9\u043d\u0435 \u049b\u0430\u043b\u0430\u0439 \u043a\u0456\u0440\u0456\u0441\u0443 \u0442\u0443\u0440\u0430\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u0430\u0440 \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0430\u0440:", + "MessageForgotPasswordFileExpiration": "PIN \u044b\u0441\u044b\u0440\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456 {0} \u0431\u0456\u0442\u0435\u0434\u0456.", + "MessageInvalidForgotPasswordPin": "\u0416\u0430\u0440\u0430\u043c\u0441\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d PIN \u0435\u043d\u0433\u0456\u0437\u0456\u043b\u0434\u0456. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "MessagePasswordResetForUsers": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440 \u043a\u0435\u043b\u0435\u0441\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b:", + "HeaderInviteGuest": "\u049a\u043e\u043d\u0430\u049b\u0442\u044b \u0448\u0430\u049b\u044b\u0440\u0443", + "ButtonLinkMyEmbyAccount": "\u0422\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043c\u0434\u0456 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443", + "MessageConnectAccountRequiredToInviteGuest": "\u049a\u043e\u043d\u0430\u049b\u0442\u0430\u0440\u0434\u044b \u0448\u0430\u049b\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043e\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0433\u0435 Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u0440\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442.", + "ButtonSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", "SyncMedia": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "ButtonNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", - "LabelBitrateMbps": "\u049a\u0430\u0440\u049b\u044b\u043d\u044b (\u041c\u0431\u0438\u0442\/\u0441):", "HeaderCancelSyncJob": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0434\u0456 \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", "CancelSyncJobConfirmation": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443\u044b \u043a\u0435\u043b\u0435\u0441\u0456 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u043e\u044f\u0434\u044b. \u0428\u044b\u043d\u044b\u043c\u0435\u043d \u043a\u0456\u0440\u0456\u0441\u0443 \u049b\u0430\u0436\u0435\u0442 \u043f\u0435?", + "TabSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", "MessagePleaseSelectDeviceToSyncTo": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0435\u0442\u0456\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", - "ButtonSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u0441\u044b\u043b\u0443", "MessageSyncJobCreated": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b \u0436\u0430\u0441\u0430\u043b\u0434\u044b.", "LabelSyncTo": "\u041e\u0441\u044b\u043c\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443:", - "LabelLimit": "\u0428\u0435\u0433\u0456:", "LabelSyncJobName": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d\u044b\u04a3 \u0430\u0442\u044b:", - "HeaderNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", - "ValueLinks": "\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440: {0}", "LabelQuality": "\u0421\u0430\u043f\u0430\u0441\u044b:", - "MyDevice": "\u041c\u0435\u043d\u0456\u04a3 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043c", - "DefaultErrorMessage": "\u0421\u0430\u0443\u0430\u043b \u04e9\u04a3\u0434\u0435\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u0430\u0442\u0435 \u043e\u0440\u044b\u043d \u0430\u043b\u0434\u044b. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", - "ButtonRemote": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443", - "ButtonAccept": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u0443", - "ButtonReject": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u043c\u0430\u0443", - "DashboardTourDashboard": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u041a\u0456\u043c \u043d\u0435 \u0456\u0441\u0442\u0435\u0433\u0435\u043d\u0456\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u0439\u0434\u0430 \u0442\u04b1\u0440\u0493\u0430\u043d\u044b\u043d \u0431\u0456\u043b\u0456\u043f \u0436\u0430\u0442\u0430\u0441\u044b\u0437.", - "DashboardTourUsers": "\u0414\u043e\u0441\u0442\u0430\u0440\u044b\u04a3\u044b\u0437 \u0431\u0435\u043d \u043e\u0442\u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u04d9\u0440\u049b\u0430\u0439\u0441\u044b\u043d\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u049b\u04b1\u049b\u044b\u049b\u0442\u0430\u0440\u044b, \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443, \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u0431\u0430\u0440 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043b\u0435\u0440\u0456\u043d \u0436\u0435\u04a3\u0456\u043b \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", - "DashboardTourCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u0434\u0456 \u0431\u0430\u0441\u0442\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043c\u0435\u043d \u043a\u0438\u043d\u043e \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0437\u0430\u043b \u04d9\u0441\u0435\u0440\u0456\u043d \u049b\u043e\u043d\u0430\u049b\u0436\u0430\u0439\u044b\u04a3\u044b\u0437\u0493\u0430 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0436\u0435\u0442\u043a\u0456\u0437\u0435\u0434\u0456.", - "DashboardTourChapters": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u049b\u0430\u0440\u0430\u0493\u0430\u043d \u043a\u0435\u0437\u0434\u0435 \u04b1\u043d\u0430\u043c\u0434\u044b\u043b\u0430\u0443 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c \u04af\u0448\u0456\u043d \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0442\u0443\u0434\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.", - "DashboardTourSubtitles": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0433\u0435 \u049b\u0430\u0439 \u0442\u0456\u043b\u0434\u0435 \u0431\u043e\u043b\u0441\u044b\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u04a3\u0456\u0437.", - "DashboardTourPlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456, \u043c\u044b\u0441\u0430\u043b\u044b, \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0430\u0440\u043d\u0430\u043b\u0430\u0440\u044b\u043d, \u044d\u0444\u0438\u0440\u043b\u0456\u043a \u0442\u0434, \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u0436\u0456\u043d\u0435 \u0442.\u0431., \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "DashboardTourNotifications": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043e\u049b\u0438\u0493\u0430\u043b\u0430\u0440\u044b \u0442\u0443\u0440\u0430\u043b\u044b \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440\u0434\u044b \u04b1\u0442\u049b\u044b\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u04a3\u044b\u0437\u0493\u0430, \u044d-\u043f\u043e\u0448\u0442\u0430\u04a3\u044b\u0437\u0493\u0430 \u0436\u04d9\u043d\u0435 \u0442.\u0431.\u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u0456\u0431\u0435\u0440\u0456\u04a3\u0456\u0437.", - "DashboardTourScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u04b1\u0437\u0430\u049b \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0435\u04a3\u0456\u043b \u0431\u0430\u0441\u049b\u0430\u0440\u044b\u04a3\u044b\u0437. \u0411\u04b1\u043b\u0430\u0440 \u049b\u0430\u0448\u0430\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u043d\u0434\u0430\u0439 \u0436\u0438\u0456\u043b\u0456\u043a\u043f\u0435\u043d \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d\u044b\u043d \u0448\u0435\u0448\u0456\u04a3\u0456\u0437.", - "DashboardTourMobile": "Emby Server \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0434\u0430\u0440 \u043c\u0435\u043d \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u0437\u043e\u0440 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0436\u0435\u0440\u0434\u0435, \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456 \u0430\u043b\u0430\u049b\u0430\u043d\u044b\u04a3\u044b\u0437\u0434\u0430\u0493\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043c\u0435\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u044b\u04a3\u044b\u0437.", - "HeaderEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "HeaderSelectCustomIntrosPath": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u043b\u0435\u0440\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", - "HeaderGroupVersions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443", + "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440", + "OptionAutomaticallySyncNewContent": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "OptionAutomaticallySyncNewContentHelp": "\u0416\u0430\u04a3\u0430\u0434\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043e\u0441\u044b \u049b\u04b1\u0440-\u043c\u0435\u043d \u04af\u043d\u0434-\u0434\u0456.", + "OptionSyncUnwatchedVideosOnly": "\u049a\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u04af\u043d\u0434-\u0456\u0440\u0443", + "OptionSyncUnwatchedVideosOnlyHelp": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u04af\u043d\u0434-\u0434\u0456, \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u049b\u04b1\u0440-\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0430\u0434\u044b.", + "LabelItemLimit": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0448\u0435\u0433\u0456:", + "LabelItemLimitHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: \u04ae\u043d\u0434-\u0442\u0456\u043d \u0442\u0430\u0440\u043c\u0430\u049b \u0441\u0430\u043d\u044b \u0448\u0435\u0433\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "MessageBookPluginRequired": "Bookshelf \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456", + "MessageGamePluginRequired": "GameBrowser \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456", + "MessageUnsetContentHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456. \u0415\u04a3 \u0436\u0430\u049b\u0441\u044b \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u0430\u043b\u0443 \u04af\u0448\u0456\u043d, \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u043c\u0430\u0437\u043c\u04af\u043d \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043f \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437", "SyncJobItemStatusQueued": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435", - "ErrorMessagePasswordNotMatchConfirm": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0431\u0435\u043d \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0440\u0430\u0441\u0442\u0430\u0443 \u04e9\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0441\u04d9\u0439\u043a\u0435\u0441 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", "SyncJobItemStatusConverting": "\u0422\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443\u0434\u0435", "SyncJobItemStatusTransferring": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0434\u0430", "SyncJobItemStatusSynced": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d", - "TabSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "ErrorMessageUsernameInUse": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u04d9\u043b\u0434\u0435\u049b\u0430\u0448\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0443\u0434\u0430. \u0416\u0430\u04a3\u0430 \u0430\u0442\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437 \u0434\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", "SyncJobItemStatusFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", - "TabPlayback": "\u041e\u0439\u043d\u0430\u0442\u0443", "SyncJobItemStatusRemovedFromDevice": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0493\u0430\u043d", "SyncJobItemStatusCancelled": "\u0411\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b", - "ErrorMessageEmailInUse": "\u042d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u04d9\u043b\u0434\u0435\u049b\u0430\u0448\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0443\u0434\u0430. \u0416\u0430\u04a3\u0430 \u042d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437 \u0434\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437, \u043d\u0435\u043c\u0435\u0441\u0435 \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0435\u0441\u043a\u0435 \u0441\u0430\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.", + "LabelProfile": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b:", + "LabelBitrateMbps": "\u049a\u0430\u0440\u049b\u044b\u043d\u044b (\u041c\u0431\u0438\u0442\/\u0441):", + "EmbyIntroDownloadMessage": "Emby Server \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u043c\u0435\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d {0} \u0431\u0430\u0440\u044b\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437.", + "ButtonNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", + "ButtonSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u0441\u044b\u043b\u0443", + "HeaderNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", + "MyDevice": "\u041c\u0435\u043d\u0456\u04a3 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043c", + "ButtonRemote": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443", + "TabInfo": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0442\u0443\u0440\u0430\u043b\u044b", + "TabCast": "\u0420\u04e9\u043b\u0434\u0435\u0440", + "TabScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", "HeaderUnlockApp": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043d\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u0434\u0430\u043d \u0431\u043e\u0441\u0430\u0442\u0443", - "MessageThankYouForConnectSignUp": "Emby Connect \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0435\u043d\u0433\u0435 \u0430\u043b\u0493\u044b\u0441. \u041c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u04a3\u044b\u0437\u0493\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0442\u0456\u043d \u042d-\u043f\u043e\u0448\u0442\u0430 \u0445\u0430\u0431\u0430\u0440\u044b\u043d\u0434\u0430 \u0436\u0430\u04a3\u0430 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u0430\u043b\u0430\u0439 \u0440\u0430\u0441\u0442\u0430\u0443 \u0442\u0443\u0440\u0430\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u0430\u0440 \u0431\u043e\u043b\u0430\u0434\u044b. \u041a\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043d\u0456 \u0440\u0430\u0441\u0442\u0430\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u043a\u0435\u0439\u0456\u043d \u043e\u0441\u044b\u043d\u0434\u0430 \u049b\u0430\u0439\u0442\u0430 \u043e\u0440\u0430\u043b\u044b\u04a3\u044b\u0437.", "MessageUnlockAppWithPurchase": "\u0428\u0430\u0493\u044b\u043d \u0431\u0456\u0440 \u0436\u043e\u043b\u0493\u044b \u0441\u0430\u0442\u044b\u043f \u0430\u043b\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043d\u044b\u04a3 \u0442\u043e\u043b\u044b\u049b \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440 \u049b\u04b1\u0440\u0441\u0430\u0443\u044b\u043d \u0431\u043e\u0441\u0430\u0442\u0443.", "MessageUnlockAppWithPurchaseOrSupporter": "\u0428\u0430\u0493\u044b\u043d \u0431\u0456\u0440 \u0436\u043e\u043b\u0493\u044b \u0441\u0430\u0442\u044b\u043f \u0430\u043b\u0443 \u0430\u0440\u049b\u044b\u043b\u044b, \u043d\u0435\u043c\u0435\u0441\u0435 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043c\u0435\u043d \u043a\u0456\u0440\u0456\u043f \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043d\u044b\u04a3 \u0442\u043e\u043b\u044b\u049b \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440 \u049b\u04b1\u0440\u0441\u0430\u0443\u044b\u043d \u0431\u043e\u0441\u0430\u0442\u0443.", "MessageUnlockAppWithSupporter": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043c\u0435\u043d \u043a\u0456\u0440\u0456\u043f \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043d\u044b\u04a3 \u0442\u043e\u043b\u044b\u049b \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440 \u049b\u04b1\u0440\u0441\u0430\u0443\u044b\u043d \u0431\u043e\u0441\u0430\u0442\u0443.", "MessageToValidateSupporter": "\u0415\u0433\u0435\u0440 \u0441\u0456\u0437\u0434\u0435 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0431\u043e\u043b\u0441\u0430, \u04e9\u0437 \u04af\u0439\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u0436\u0435\u043b\u0456\u0441\u0456\u043d\u0435 Wifi \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0436\u0430\u0439 \u0493\u0430\u043d\u0430 \u043a\u0456\u0440\u0456\u04a3\u0456\u0437.", "MessagePaymentServicesUnavailable": "\u0422\u04e9\u043b\u0435\u043c \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440\u0456 \u049b\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \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.", "ButtonUnlockWithSupporter": "Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043c\u0435\u043d \u043a\u0456\u0440\u0443", - "HeaderForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", - "MessageContactAdminToResetPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u04a3\u0456\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u04d9\u043a\u0456\u043c\u0448\u0456\u04a3\u0456\u0437\u0433\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437.", - "MessageForgotPasswordInNetworkRequired": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u04af\u0448\u0456\u043d \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u04af\u0439\u043b\u0456\u043a \u0436\u0435\u043b\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u0456\u0448\u0456\u043d\u0434\u0435 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", "MessagePleaseSignInLocalNetwork": "\u041e\u0440\u044b\u043d\u0434\u0430\u043c\u0430\u0441 \u0431\u04b1\u0440\u044b\u043d, \u0436\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u0436\u0435\u043b\u0456\u0433\u0435 Wifi \u043d\u0435\u043c\u0435\u0441\u0435 LAN \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u04a3\u044b\u0437\u0434\u044b \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0456\u04a3\u0456\u0437.", - "MessageForgotPasswordFileCreated": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0435 \u0436\u0430\u0441\u0430\u043b\u0434\u044b \u0436\u04d9\u043d\u0435 \u049b\u0430\u043b\u0430\u0439 \u043a\u0456\u0440\u0456\u0441\u0443 \u0442\u0443\u0440\u0430\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u0430\u0440 \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0430\u0440:", - "TabExpert": "\u0421\u0430\u0440\u0430\u043f\u0442\u0430\u043c\u0430\u043b\u044b\u049b", - "HeaderInvitationSent": "\u0428\u0430\u049b\u044b\u0440\u0443 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456", - "MessageForgotPasswordFileExpiration": "PIN \u044b\u0441\u044b\u0440\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456 {0} \u0431\u0456\u0442\u0435\u0434\u0456.", - "MessageInvitationSentToUser": "\u041e\u043b\u0430\u0440\u0493\u0430 \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u0448\u0430\u049b\u044b\u0440\u0443\u044b\u04a3\u044b\u0437\u0434\u044b \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0443 \u04b1\u0441\u044b\u043d\u044b\u0441\u044b\u043c\u0435\u043d, \u044d-\u043f\u043e\u0448\u0442\u0430 {0} \u0430\u0440\u043d\u0430\u043f \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", - "MessageInvalidForgotPasswordPin": "\u0416\u0430\u0440\u0430\u043c\u0441\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d PIN \u0435\u043d\u0433\u0456\u0437\u0456\u043b\u0434\u0456. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", "ButtonUnlockWithPurchase": "\u0421\u0430\u0442\u044b\u043f \u0430\u043b\u0443\u043c\u0435\u043d \u049b\u04b1\u0440\u0441\u0430\u0443\u0434\u0430\u043d \u0431\u043e\u0441\u0430\u0442\u0443", - "TabExtras": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430\u043b\u0430\u0440", - "MessageInvitationSentToNewUser": "Emby \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0443 \u0448\u0430\u049b\u044b\u0440\u0443\u044b\u04a3\u044b\u0437, \u044d-\u043f\u043e\u0448\u0442\u0430 {0} \u04af\u0448\u0456\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0434\u0456.", - "MessagePasswordResetForUsers": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440 \u043a\u0435\u043b\u0435\u0441\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b:", + "ButtonUnlockPrice": "{0} \u049b\u04b1\u043b\u044b\u043f\u0442\u0430\u043c\u0430\u0443", "MessageLiveTvGuideRequiresUnlock": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0430\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448\u044b \u049b\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 {0} \u0430\u0440\u043d\u0430\u043b\u0430\u0440 \u0448\u0435\u043a\u0442\u0435\u043b\u0435\u0434\u0456. \u0422\u043e\u043b\u044b\u049b \u0442\u04d9\u0436\u0440\u0438\u0431\u0435\u0441\u0456\u043d \u04af\u0439\u0440\u0435\u043d\u0443 \u04af\u0448\u0456\u043d \u049a\u04b1\u0440\u0441\u0430\u0443\u044b\u043d \u0431\u043e\u0441\u0430\u0442\u0443 \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.", - "WebClientTourContent": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456, \u043a\u0435\u043b\u0435\u0441\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u049b\u0430\u0440\u0430\u04a3\u044b\u0437. \u0416\u0430\u0441\u044b\u043b \u0448\u0435\u043d\u0431\u0435\u0440\u043b\u0435\u0440 \u0441\u0456\u0437\u0434\u0435 \u049b\u0430\u043d\u0448\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0431\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456.", - "HeaderPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", "OptionEnableFullscreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d\u0434\u044b \u049b\u043e\u0441\u0443", - "WebClientTourMovies": "\u0492\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u0456 \u0431\u0430\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442.\u0431. \u043e\u0439\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "WebClientTourMouseOver": "\u041c\u0430\u04a3\u044b\u0437\u0434\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u049b\u0430 \u0436\u044b\u043b\u0434\u0430\u043c \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u0436\u0430\u0440\u049b\u0430\u0493\u0430\u0437\u0434\u044b\u04a3 \u04af\u0441\u0442\u0456\u043d\u0434\u0435 \u0442\u0456\u043d\u0442\u0443\u0440\u0434\u0456\u04a3 \u043a\u04e9\u0440\u0441\u0435\u0442\u043a\u0456\u0448\u0456\u043d \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437", - "HeaderRateAndReview": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443 \u0436\u04d9\u043d\u0435 \u043f\u0456\u043a\u0456\u0440\u043b\u0435\u0441\u0443", - "ErrorMessageStartHourGreaterThanEnd": "\u0410\u044f\u049b\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b \u0431\u0430\u0441\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430\u043d \u043a\u0435\u0439\u0456\u043d\u0440\u0435\u043a \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", - "WebClientTourTapHold": "\u041c\u04d9\u0442\u0456\u043d\u043c\u04d9\u043d\u0434\u0456\u043a \u043c\u04d9\u0437\u0456\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u0436\u0430\u0440\u049b\u0430\u0493\u0430\u0437\u0434\u044b \u0442\u04af\u0440\u0442\u0456\u043f \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \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", - "HeaderThankYou": "\u0420\u0430\u0445\u043c\u0435\u0442 \u0441\u0456\u0437\u0433\u0435", - "TabInfo": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0442\u0443\u0440\u0430\u043b\u044b", "ButtonServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "WebClientTourMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u0430\u0448\u0443 \u04af\u0448\u0456\u043d \u04e8\u04a3\u0434\u0435\u0443 \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437", - "MessageThankYouForYourReview": "\u041f\u0456\u043a\u0456\u0440\u0456\u04a3\u0456\u0437 \u04af\u0448\u0456\u043d \u0440\u0430\u0445\u043c\u0435\u0442 \u0441\u0456\u0437\u0433\u0435", - "WebClientTourPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0436\u04d9\u043d\u0435 \u043b\u0435\u0437\u0434\u0456\u043a \u049b\u043e\u0441\u043f\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u0435\u04a3\u0456\u043b \u0436\u0430\u0441\u0430\u04a3\u044b\u0437, \u0436\u04d9\u043d\u0435 \u043e\u043b\u0430\u0440\u0434\u044b \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u04a3\u044b\u0437", - "LabelYourRating": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437", - "WebClientTourCollections": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u0431\u0456\u0440\u0433\u0435 \u0442\u043e\u043f\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0444\u0438\u043b\u044c\u043c \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u044b\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437", - "LabelFullReview": "\u041f\u0456\u043a\u0456\u0440 \u0442\u043e\u043b\u044b\u0493\u044b\u043c\u0435\u043d:", "HeaderAdmin": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443", - "WebClientTourUserPreferences1": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456 Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u0431\u04d9\u0440\u0456\u043d\u0434\u0435 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u04a3\u044b\u0437 \u049b\u0430\u043b\u0430\u0439 \u049b\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0442\u0456\u043d \u0442\u04d9\u0441\u0456\u043b\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456", - "LabelShortRatingDescription": "\u0411\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u044b\u04a3 \u049b\u044b\u0441\u049b\u0430 \u0430\u049b\u043f\u0430\u0440\u044b:", - "WebClientTourUserPreferences2": "\u04d8\u0440\u0431\u0456\u0440 Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b \u04af\u0448\u0456\u043d \u0434\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u0436\u04d9\u043d\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0442\u0456\u043b\u0434\u0456\u043a \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u0431\u0456\u0440\u0436\u043e\u043b\u0493\u044b \u0442\u0435\u04a3\u0448\u0435\u04a3\u0456\u0437", - "OptionIRecommendThisItem": "\u041e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u04b1\u0441\u044b\u043d\u0430\u043c\u044b\u043d", - "ButtonLinkMyEmbyAccount": "\u0422\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043c\u0434\u0456 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443", - "WebClientTourUserPreferences3": "\u04b0\u043d\u0430\u0442\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0456\u043d\u0456\u04a3 \u0431\u0430\u0441\u0442\u044b \u0431\u0435\u0442\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0440\u0435\u0441\u0456\u043c\u0434\u0435\u04a3\u0456\u0437", "HeaderLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430", - "WebClientTourUserPreferences4": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456, \u0442\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0441\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u044b \u0442\u0435\u04a3\u0448\u0435\u04a3\u0456\u0437", - "WebClientTourMobile1": "\u0492\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0456 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0434\u0430\u0440\u0434\u0430 \u0436\u04d9\u043d\u0435 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u0442\u0430\u043c\u0430\u0448\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456", - "WebClientTourMobile2": "\u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b \u043c\u0435\u043d Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u0434\u044b \u043e\u04a3\u0430\u0439 \u0431\u0430\u0441\u049b\u0430\u0440\u0430\u0434\u044b", "HeaderMedia": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "MessageEnjoyYourStay": "\u0416\u0430\u0493\u044b\u043c\u0434\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u04a3\u044b\u0437" + "ButtonInbox": "\u041a\u0456\u0440\u0435\u0441\u0456\u043d", + "HeaderAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", + "HeaderGroupVersions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443", + "HeaderSaySomethingLike": "\u041e\u0441\u044b\u043d\u0434\u0430\u0439 \u0441\u0438\u044f\u049b\u0442\u044b\u043d\u044b \u0430\u0439\u0442\u044b\u04a3\u044b\u0437...", + "ButtonTryAgain": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u0443", + "HeaderYouSaid": "\u0421\u0456\u0437 \u0430\u0439\u0442\u049b\u0430\u043d\u044b\u04a3\u044b\u0437...", + "MessageWeDidntRecognizeCommand": "\u041e\u0441\u044b\u043d\u0434\u0430\u0439 \u043f\u04d9\u0440\u043c\u0435\u043d\u0434\u0456 \u0442\u0430\u043d\u044b\u043f \u0430\u0439\u044b\u0440\u043c\u0430\u0434\u044b\u049b.", + "MessageIfYouBlockedVoice": "\u0415\u0433\u0435\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0434\u0430\u0443\u044b\u0441\u0442\u044b\u049b \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u0430\u043d \u0431\u0430\u0441 \u0442\u0430\u0440\u0442\u0441\u0430\u04a3\u044b\u0437, \u049b\u0430\u0439\u0442\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u043d\u0443\u0456\u04a3\u0456\u0437\u0434\u0435\u043d \u0430\u043b\u0434\u044b\u043d\u0430\u043d \u049b\u0430\u0439\u0442\u0430 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456\u04a3\u0456\u0437 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", + "MessageNoItemsFound": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.", + "ButtonManageServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0431\u0430\u0441\u049b\u0430\u0440\u0443", + "ButtonPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440", + "ButtonViewArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043d\u044b \u049b\u0430\u0440\u0430\u0443", + "ButtonViewAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u044b \u049b\u0430\u0440\u0430\u0443", + "ErrorMessagePasswordNotMatchConfirm": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0431\u0435\u043d \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0440\u0430\u0441\u0442\u0430\u0443 \u04e9\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0441\u04d9\u0439\u043a\u0435\u0441 \u0431\u043e\u043b\u0443\u044b \u049b\u0430\u0436\u0435\u0442.", + "ErrorMessageUsernameInUse": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u04d9\u043b\u0434\u0435\u049b\u0430\u0448\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0443\u0434\u0430. \u0416\u0430\u04a3\u0430 \u0430\u0442\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437 \u0434\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.", + "ErrorMessageEmailInUse": "\u042d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u04d9\u043b\u0434\u0435\u049b\u0430\u0448\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0443\u0434\u0430. \u0416\u0430\u04a3\u0430 \u042d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437 \u0434\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437, \u043d\u0435\u043c\u0435\u0441\u0435 \u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0435\u0441\u043a\u0435 \u0441\u0430\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.", + "MessageThankYouForConnectSignUp": "Emby Connect \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0435\u043d\u0433\u0435 \u0430\u043b\u0493\u044b\u0441. \u041c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u04a3\u044b\u0437\u0493\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0442\u0456\u043d \u042d-\u043f\u043e\u0448\u0442\u0430 \u0445\u0430\u0431\u0430\u0440\u044b\u043d\u0434\u0430 \u0436\u0430\u04a3\u0430 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456 \u049b\u0430\u043b\u0430\u0439 \u0440\u0430\u0441\u0442\u0430\u0443 \u0442\u0443\u0440\u0430\u043b\u044b \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u0430\u0440 \u0431\u043e\u043b\u0430\u0434\u044b. \u041a\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043d\u0456 \u0440\u0430\u0441\u0442\u0430\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u043a\u0435\u0439\u0456\u043d \u043e\u0441\u044b\u043d\u0434\u0430 \u049b\u0430\u0439\u0442\u0430 \u043e\u0440\u0430\u043b\u044b\u04a3\u044b\u0437.", + "HeaderShare": "\u041e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443", + "ButtonShareHelp": "\u04d8\u043b\u0435\u0443\u043c\u0435\u0442\u0442\u0456\u043a \u0436\u0435\u043b\u0456\u043b\u0435\u0440\u0456\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u0443\u0440\u0430\u043b\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u049b\u0430\u043c\u0442\u0438\u0442\u044b\u043d \u0432\u0435\u0431-\u0431\u0435\u0442\u0456\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443. \u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0435\u0448\u049b\u0430\u0448\u0430\u043d \u043e\u0440\u0442\u0430\u049b \u0436\u0430\u0440\u0438\u044f\u043b\u0430\u043d\u0431\u0430\u0439\u0434\u044b.", + "ButtonShare": "\u041e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443", + "HeaderConfirm": "\u0420\u0430\u0441\u0442\u0430\u0443" } \ 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 a3f783f3e0..4ca416c2c5 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Seting Disimpan", + "AddUser": "Tambah Pengguna", + "Users": "Para Pengguna", + "Delete": "Padam", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Seting Disimpan", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Tambah Pengguna", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Para Pengguna", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Padam", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 cf1f0b09a6..6d60c62501 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Innstillinger lagret", + "AddUser": "Legg til bruker", + "Users": "Brukere", + "Delete": "Slett", + "Administrator": "Administrator", + "Password": "Passord", + "DeleteImage": "Slett bilde", + "MessageThankYouForSupporting": "Takk for at du st\u00f8tter Emby.", + "MessagePleaseSupportProject": "Vennligst st\u00f8tt Emby.", + "DeleteImageConfirmation": "Er du sikker p\u00e5 at du vil slette bildet?", + "FileReadCancelled": "Lesing av filen kansellert.", + "FileNotFound": "Fil ikke funnet", + "FileReadError": "Feil oppstod i det filen ble lest", + "DeleteUser": "Slett bruker", + "DeleteUserConfirmation": "Er du sikker p\u00e5 at du vil slette denne brukeren?", + "PasswordResetHeader": "Tilbakestill passord", + "PasswordResetComplete": "Passordet har blitt tilbakestilt", + "PinCodeResetComplete": "PIN-koden har blitt tilbakestilt", + "PasswordResetConfirmation": "Er du sikker p\u00e5 at du vil tilbakestille passordet?", + "PinCodeResetConfirmation": "Er du sikker p\u00e5 at du vil tilbakestille PIN-koden?", + "HeaderPinCodeReset": "Tilbakestill PIN-kode", + "PasswordSaved": "Passord lagret", + "PasswordMatchError": "Passord og passord-verifiseringen m\u00e5 matche", + "OptionRelease": "Offisiell utgivelse", + "OptionBeta": "Beta", + "OptionDev": "Dev (Ustabil)", + "UninstallPluginHeader": "Avinstaller programtillegget", + "UninstallPluginConfirmation": "Er du sikker p\u00e5 at du \u00f8nsker \u00e5 avinstallere {0}?", + "NoPluginConfigurationMessage": "Dette programtillegget har ingenting \u00e5 konfigurere.", + "NoPluginsInstalledMessage": "Du har ingen programtillegg installert.", + "BrowsePluginCatalogMessage": "Browse v\u00e5r plugin-katalog for \u00e5 se tilgjengelige plugins", + "MessageKeyEmailedTo": "N\u00f8kkel sendt til {0}", + "MessageKeysLinked": "N\u00f8kler lenket.", + "HeaderConfirmation": "Bekreftelse", + "MessageKeyUpdated": "Takk. Din supportern\u00f8kkel har blitt oppdatert.", + "MessageKeyRemoved": "Takk. Din supportern\u00f8kkel har blitt fjernet.", + "HeaderSupportTheTeam": "St\u00f8tt Emby teamet!", + "TextEnjoyBonusFeatures": "Nyt bonusfunksjonene", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Synk", + "HeaderSelectDate": "Velg dato", + "ButtonDonate": "Don\u00e9r", + "LabelRecurringDonationCanBeCancelledHelp": "Gjentakende donasjoner kan avbrytes n\u00e5r som helst fra din PayPal-konto.", + "HeaderMyMedia": "Mine media", + "TitleNotifications": "Beskjeder", + "ErrorLaunchingChromecast": "Det var en feil ved start av Chromecast. Vennligst forsikre deg om at enheten har korrekt forbindelse til ditt tr\u00e5dl\u00f8se nettverk.", + "MessageErrorLoadingSupporterInfo": "Det oppstod en feil under innlasting supporterinformasjon. Vennligst pr\u00f8v igjen senere.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Fjern bruker", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Tidsgrense: 1 time", + "ValueTimeLimitMultiHour": "Tidsgrense: {0} time", + "HeaderUsers": "Brukere", + "PluginCategoryGeneral": "Generelt", + "PluginCategoryContentProvider": "Innholdstilbydere", + "PluginCategoryScreenSaver": "Skjermspar", + "PluginCategoryTheme": "Temaer", + "PluginCategorySync": "Synk", + "PluginCategorySocialIntegration": "Sosiale nettverk", + "PluginCategoryNotifications": "Varslinger", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Kanaler", + "HeaderSearch": "S\u00f8k", + "ValueDateCreated": "Dato opprettet: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Film", + "LabelMusicVideo": "Musikk Video", + "LabelEpisode": "Episode", + "LabelSeries": "Serier", + "LabelStopping": "Stoppe", + "LabelCancelled": "(kansellert)", + "LabelFailed": "(Feilet)", + "ButtonHelp": "Hjelp", + "ButtonSave": "Lagre", + "ButtonDownload": "Nedlasting", + "SyncJobStatusQueued": "I k\u00f8", + "SyncJobStatusConverting": "Konverterer", + "SyncJobStatusFailed": "Feilet", + "SyncJobStatusCancelled": "Avbrutt", + "SyncJobStatusCompleted": "Synkronisert", + "SyncJobStatusReadyToTransfer": "Klar til overf\u00f8ring", + "SyncJobStatusTransferring": "Overf\u00f8rer", + "SyncJobStatusCompletedWithError": "Synkronisert med feil", + "SyncJobItemStatusReadyToTransfer": "Klar til overf\u00f8ring", + "LabelCollection": "Samling", + "HeaderAddToCollection": "Legg til i Samling", + "NewCollectionNameExample": "Eksempel: Star Wars-samling", + "OptionSearchForInternetMetadata": "S\u00f8k p\u00e5 internet for artwork og metadata", + "LabelSelectCollection": "Velg samling:", + "HeaderDevices": "Enheter", + "ButtonScheduledTasks": "Planlagte oppgaver", + "MessageItemsAdded": "Elementer lagt til", + "ButtonAddToCollection": "Legg til samling", + "HeaderSelectCertificatePath": "Velg sti for sertifikat:", + "ConfirmMessageScheduledTaskButton": "Dette kj\u00f8res vanligvis automatisk som en planlagt oppgave. Den kan ogs\u00e5 kj\u00f8res manuelt herfra. For \u00e5 konfigurere planlagte oppgaver, se:", + "HeaderSupporterBenefit": "St\u00f8ttemedlemskap gir ytterligere fordeler som for eksempel tilgang til synkronisering, premium plugins, internett-kanaler og mer. {0}L\u00e6r mer{1}.", + "LabelSyncNoTargetsHelp": "Det ser ikke ut til at du har noen applikasjoner som st\u00f8tter synkronisering.", + "HeaderWelcomeToProjectServerDashboard": "Velkommen til Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Velkommen til Emby", + "ButtonTakeTheTour": "Bli med p\u00e5 omvisning", + "HeaderWelcomeBack": "Velkommen tilbake!", + "TitlePlugins": "Programtillegg", + "ButtonTakeTheTourToSeeWhatsNew": "Ta en titt p\u00e5 hva som er nytt", + "MessageNoSyncJobsFound": "Ingen synkroniseringsjobber funnet. Opprett en synkroniseringsjobb ved hjelp av Synkroniseringsknappene i biblioteket", + "ButtonPlayTrailer": "Spill trailer", + "HeaderLibraryAccess": "Bibliotek tilgang", + "HeaderChannelAccess": "Kanal tilgang", + "HeaderDeviceAccess": "Enhetstilgang", + "HeaderSelectDevices": "Velg enheter", + "ButtonCancelItem": "Avbryt element", + "ButtonQueueForRetry": "K\u00f8 for \u00e5 pr\u00f8ve igjen", + "ButtonReenable": "Skru p\u00e5 igjen", + "ButtonLearnMore": "L\u00e6re mer", + "SyncJobItemStatusSyncedMarkForRemoval": "Markert for fjerning", + "LabelAbortedByServerShutdown": "(Avbrutt av server shutdown)", + "LabelScheduledTaskLastRan": "Sist kj\u00f8rt {0}, tar {1}.", + "HeaderDeleteTaskTrigger": "Slett Oppgave Trigger", "HeaderTaskTriggers": "Oppgave Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Er du sikker p\u00e5 at du vil slette denne oppgave triggeren?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Eksempel: Star Wars-samling", "MessageNoPluginsInstalled": "Du har ingen programtillegg installert.", - "MessageConfirmResetTuner": "Er du sikker p\u00e5 at du vil resette denne tuneren? Alle aktive enheter eller opptak vil br\u00e5tt stoppe.", - "OptionSearchForInternetMetadata": "S\u00f8k p\u00e5 internet for artwork og metadata", - "ButtonUpdateNow": "Oppdater N\u00e5", "LabelVersionInstalled": "{0} installert.", - "ButtonCancelSeries": "Kanseller Serier", "LabelNumberReviews": "{0} Anmeldelser", - "LabelAllChannels": "Alle kanaler", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Serie Oppdak", + "HeaderPlaybackError": "Avspillingsfeil", + "MessagePlaybackErrorNotAllowed": "Du er for \u00f8yeblikket ikke autorisert til \u00e5 spille dette innholdet. Ta kontakt med systemadministratoren for mer informasjon.", + "MessagePlaybackErrorNoCompatibleStream": "Ingen kompatible streamer er tilgjengelig for \u00f8yeblikket. Vennligst pr\u00f8v igjen senere eller kontakt systemadministratoren for mer informasjon.", + "MessagePlaybackErrorRateLimitExceeded": "Avspillingshastighet grensen er overskredet. Ta kontakt med systemadministratoren for mer informasjon.", + "MessagePlaybackErrorPlaceHolder": "Valgt innholdet, kan ikke avspilles fra denne enheten.", "HeaderSelectAudio": "Velg Lyd", - "LabelAnytime": "N\u00e5r som helst", "HeaderSelectSubtitles": "Velg Undertekst", - "StatusRecording": "Opptak", + "ButtonMarkForRemoval": "Fjern fra enheten.", + "ButtonUnmarkForRemoval": "Avbryt fjerning fra enheten", "LabelDefaultStream": "(Standard)", - "StatusWatching": "Ser P\u00e5", "LabelForcedStream": "(Tvunget)", - "StatusRecordingProgram": "Opptak {0}", "LabelDefaultForcedStream": "(Standard\/Tvunget)", - "StatusWatchingProgram": "Ser P\u00e5 {0}", "LabelUnknownLanguage": "Ukjent spr\u00e5k", - "ButtonQueue": "K\u00f8", + "MessageConfirmSyncJobItemCancellation": "Er du sikker p\u00e5 at du vil kansellere dette elementet?", + "ButtonMute": "Mute", "ButtonUnmute": "Lyd p\u00e5", - "LabelSyncNoTargetsHelp": "Det ser ikke ut til at du har noen applikasjoner som st\u00f8tter synkronisering.", - "HeaderSplitMedia": "Del Media Fra Hverandre", + "ButtonStop": "Stopp", + "ButtonNextTrack": "Neste Spor", + "ButtonPause": "Pause", + "ButtonPlay": "Spill", + "ButtonEdit": "Rediger", + "ButtonQueue": "K\u00f8", "ButtonPlaylist": "Spilleliste", - "MessageConfirmSplitMedia": "Er du sikker at du vil splitte mediakilden i separerte elementer?", - "HeaderError": "Feil", + "ButtonPreviousTrack": "Forrige Spor", "LabelEnabled": "Aktivert", - "HeaderSupporterBenefit": "St\u00f8ttemedlemskap gir ytterligere fordeler som for eksempel tilgang til synkronisering, premium plugins, internett-kanaler og mer. {0}L\u00e6r mer{1}.", "LabelDisabled": "Deaktivert", - "MessageTheFollowingItemsWillBeGrouped": "F\u00f8lgende titler vil bli gruppert til ett element:", "ButtonMoreInformation": "Mer Informasjon", - "MessageConfirmItemGrouping": "Emby apps vil automatisk velge den optimale versjonen for \u00e5 spille av, basert p\u00e5 enheten og nettverksytelse. Er du sikker p\u00e5 at du vil fortsette?", "LabelNoUnreadNotifications": "Ingen uleste meldinger.", "ButtonViewNotifications": "Se meldinger.", - "HeaderFavoriteAlbums": "Favoritt Albumer", "ButtonMarkTheseRead": "Maker disse som lest", - "HeaderLatestChannelMedia": "Siste Kanal Elementer", "ButtonClose": "Lukk", - "ButtonOrganizeFile": "Organiser Fil", - "ButtonLearnMore": "L\u00e6re mer", - "TabEpisodes": "Episoder", "LabelAllPlaysSentToPlayer": "Alt som spilles vil bli sendt til den valgte spilleren.", - "ButtonDeleteFile": "Slett FIl", "MessageInvalidUser": "Ugyldig brukernavn eller passord. Vennligst pr\u00f8v igjen.", - "HeaderOrganizeFile": "Organiser Fil", - "HeaderAudioTracks": "Lydspor", + "HeaderLoginFailure": "P\u00e5loggingsfeil", + "HeaderAllRecordings": "Alle opptak", "RecommendationBecauseYouLike": "Fordi du liker {0}", - "HeaderDeleteFile": "Slett FIl", - "ButtonAdd": "Legg til", - "HeaderSubtitles": "Undertekster", - "ButtonView": "Se", "RecommendationBecauseYouWatched": "Fordi du s\u00e5 {0}", - "StatusSkipped": "Hoppet over", - "HeaderVideoQuality": "Videookvalitet", "RecommendationDirectedBy": "Regissert av {0}", - "StatusFailed": "Feilet", - "MessageErrorPlayingVideo": "Det oppstod en feil ved avspilling av vidoen.", "RecommendationStarring": "Med {0}", - "StatusSuccess": "Sukksess", - "MessageEnsureOpenTuner": "Vennligst s\u00f8rg for at det minst er \u00e9n \u00e5pen tuner tilgjengelig.", "HeaderConfirmRecordingCancellation": "Bekreft Avbryt Opptak", - "MessageFileWillBeDeleted": "F\u00f8lgende fil vil bli slettet:", - "ButtonDashboard": "Dashbord", "MessageConfirmRecordingCancellation": "Er du sikker p\u00e5 at du vil avbryte dette opptaket?", - "MessageSureYouWishToProceed": "Er du sikker p\u00e5 at du vil forsette?", - "ButtonHelp": "Hjelp", - "ButtonReports": "Rapporter", - "HeaderUnrated": "Uvurdert", "MessageRecordingCancelled": "Opptak er Avbrutt.", - "MessageDuplicatesWillBeDeleted": "I tillegg vil f\u00f8lgende duplisering bli slettet:", - "ButtonMetadataManager": "Metadata Behandler", - "ValueDiscNumber": "Disk {0}", - "OptionOff": "Av", + "HeaderConfirmSeriesCancellation": "Bekreft Serier kansellering", + "MessageConfirmSeriesCancellation": "Er du sikker p\u00e5 at du vil kansellere denne serien?", + "MessageSeriesCancelled": "Serie kansellert.", "HeaderConfirmRecordingDeletion": "Bekreft Sletting av Opptak", - "MessageFollowingFileWillBeMovedFrom": "F\u00f8lgende fil har blitt flyttet fra:", - "HeaderTime": "Tid", - "HeaderUnknownDate": "Ukjent dato", - "OptionOn": "P\u00e5", "MessageConfirmRecordingDeletion": "Er du sikker p\u00e5 at du vil slette dette opptaket?", - "MessageDestinationTo": "til:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Ukjent \u00e5r", - "OptionRelease": "Offisiell utgivelse", "MessageRecordingDeleted": "Opptak slettet.", - "HeaderSelectWatchFolder": "Velg overv\u00e5ket mappe", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "Mitt Syn", - "ValueMinutes": "{0} minutter", - "OptionBeta": "Beta", "ButonCancelRecording": "Avbryt Opptak", - "HeaderSelectWatchFolderHelp": "S\u00f8k igjennom eller velg sti for din Se mappe. Mappen m\u00e5 v\u00e6re skrivbar.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Ustabil)", "MessageRecordingSaved": "Opptak lagret.", - "OrganizePatternResult": "Resultat: {0}", - "HeaderLatestTvRecordings": "Siste Opptak", - "UninstallPluginHeader": "Avinstaller programtillegget", - "ButtonMute": "Mute", - "HeaderRestart": "Omstart", - "UninstallPluginConfirmation": "Er du sikker p\u00e5 at du \u00f8nsker \u00e5 avinstallere {0}?", - "HeaderShutdown": "Sl\u00e5 Av", - "NoPluginConfigurationMessage": "Dette programtillegget har ingenting \u00e5 konfigurere.", - "MessageConfirmRestart": "Er du sikker p\u00e5 at du vil starte Emby Server p\u00e5 ny?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Du har ingen programtillegg installert.", - "MessageConfirmShutdown": "Er du sikker p\u00e5 at du vil avslutte Emby Server", - "HeaderConfirmRevokeApiKey": "Tilbakekall API-n\u00f8kkel", - "BrowsePluginCatalogMessage": "Browse v\u00e5r plugin-katalog for \u00e5 se tilgjengelige plugins", - "NewVersionOfSomethingAvailable": "En ny versjon av {0} er tilgjengelig!", - "VersionXIsAvailableForDownload": "Vesjon {0} er n\u00e5 tilgjengelig for nedlasting.", - "TextEnjoyBonusFeatures": "Nyt bonusfunksjonene", - "ButtonHome": "Hjem", + "OptionSunday": "S\u00f8ndag", + "OptionMonday": "Mandag", + "OptionTuesday": "Tirsdag", + "OptionWednesday": "Onsdag", + "OptionThursday": "Torsdag", + "OptionFriday": "Fredag", + "OptionSaturday": "L\u00f8rdag", + "OptionEveryday": "Hver dag", "OptionWeekend": "Helger", - "ButtonSettings": "Innstillinger", "OptionWeekday": "Ukedager", - "OptionEveryday": "Hver dag", - "HeaderMediaFolders": "Mediemapper", - "ValueDateCreated": "Dato opprettet: {0}", - "MessageItemsAdded": "Elementer lagt til", - "HeaderScenes": "Scener", - "HeaderNotifications": "Melding", - "HeaderSelectPlayer": "Velg Spiller", - "ButtonAddToCollection": "Legg til samling", - "HeaderSelectCertificatePath": "Velg sti for sertifikat:", - "LabelBirthDate": "F\u00f8dselsdato:", - "HeaderSelectPath": "Velg sti", - "ButtonPlayTrailer": "Spill trailer", - "HeaderLibraryAccess": "Bibliotek tilgang", - "HeaderChannelAccess": "Kanal tilgang", - "MessageChromecastConnectionError": "Chromecastmottakeren din klarer ikke \u00e5 koble til Emby Server. Vennligst sjekk deres internettforbindelser og pr\u00f8v igjen.", - "TitleNotifications": "Beskjeder", - "MessageChangeRecurringPlanConfirm": "Etter \u00e5 ha fullf\u00f8rt denne transaksjonen vil du m\u00e5tte avbestille din forrige gjentagende donasjon fra din PayPal-konto. Takk for at du st\u00f8tter Emby.", - "MessageSupporterMembershipExpiredOn": "Ditt supporter medlemskap utl\u00f8p den {0}.", - "MessageYouHaveALifetimeMembership": "Du har et levetid supporter medlemskap. Du kan gi ytterligere donasjoner engangs eller periodisk basis ved hjelp av alternativene nedenfor. Takk for at du st\u00f8tter Emby.", - "SyncJobStatusConverting": "Konverterer", - "MessageYouHaveAnActiveRecurringMembership": "Du har et aktivt {0} medlemskap. Du kan oppgradere din plan ved hjelp av alternativene nedenfor.", - "SyncJobStatusFailed": "Feilet", - "SyncJobStatusCancelled": "Avbrutt", - "SyncJobStatusTransferring": "Overf\u00f8rer", - "FolderTypeUnset": "Ikke bestemt (variert innhold)", + "HeaderConfirmDeletion": "Bekreft Kansellering", + "MessageConfirmPathSubstitutionDeletion": "Er du sikker p\u00e5 at du vil slette sti erstatter?", + "LiveTvUpdateAvailable": "(Oppdatering tilgjengelig)", + "LabelVersionUpToDate": "Oppdatert!", + "ButtonResetTuner": "Reset tuner", + "HeaderResetTuner": "Reset Tuner", + "MessageConfirmResetTuner": "Er du sikker p\u00e5 at du vil resette denne tuneren? Alle aktive enheter eller opptak vil br\u00e5tt stoppe.", + "ButtonCancelSeries": "Kanseller Serier", + "HeaderSeriesRecordings": "Serie Oppdak", + "LabelAnytime": "N\u00e5r som helst", + "StatusRecording": "Opptak", + "StatusWatching": "Ser P\u00e5", + "StatusRecordingProgram": "Opptak {0}", + "StatusWatchingProgram": "Ser P\u00e5 {0}", + "HeaderSplitMedia": "Del Media Fra Hverandre", + "MessageConfirmSplitMedia": "Er du sikker at du vil splitte mediakilden i separerte elementer?", + "HeaderError": "Feil", + "MessageChromecastConnectionError": "Chromecastmottakeren din klarer ikke \u00e5 koble til Emby Server. Vennligst sjekk deres internettforbindelser og pr\u00f8v igjen.", + "MessagePleaseSelectOneItem": "Vennligst velg minst ett element.", + "MessagePleaseSelectTwoItems": "Vennligst velg minst to elementer.", + "MessageTheFollowingItemsWillBeGrouped": "F\u00f8lgende titler vil bli gruppert til ett element:", + "MessageConfirmItemGrouping": "Emby apps vil automatisk velge den optimale versjonen for \u00e5 spille av, basert p\u00e5 enheten og nettverksytelse. Er du sikker p\u00e5 at du vil fortsette?", + "HeaderResume": "Fortsette", + "HeaderMyViews": "Mitt Syn", + "HeaderLibraryFolders": "Media Mapper", + "HeaderLatestMedia": "Siste Media", + "ButtonMoreItems": "Mer...", + "ButtonMore": "Mer", + "HeaderFavoriteMovies": "Favorittfilmer", + "HeaderFavoriteShows": "Favorittserier", + "HeaderFavoriteEpisodes": "Favorittepisoder", + "HeaderFavoriteGames": "Favorittspill", + "HeaderRatingsDownloads": "Rangering \/ Nedlasting", + "HeaderConfirmProfileDeletion": "Bekreft sletting av profil", + "MessageConfirmProfileDeletion": "Er du sikker p\u00e5 at du vil slette denne profilen?", + "HeaderSelectServerCachePath": "Velg Sti for Server Cache", + "HeaderSelectTranscodingPath": "Velg Sti for Midlertidig Transcoding", + "HeaderSelectImagesByNamePath": "Velg Sti for Bilder etter Navn", + "HeaderSelectMetadataPath": "Velg Sti for Metadata", + "HeaderSelectServerCachePathHelp": "Bla eller skriv stien som skal brukes for server cache filer. Mappen m\u00e5 v\u00e6re skrivbar.", + "HeaderSelectTranscodingPathHelp": "Bla eller skriv stien som skal brukes for transcoding av midlertidige filer. Mappen m\u00e5 v\u00e6re skrivbar.", + "HeaderSelectImagesByNamePathHelp": "Bla eller skriv stien til dine elementer etter navn mappe. Mappen m\u00e5 v\u00e6re skrivbar.", + "HeaderSelectMetadataPathHelp": "Bla eller skriv stien som skal brukes for metadata. Mappen m\u00e5 v\u00e6re skrivbar.", + "HeaderSelectChannelDownloadPath": "Velg Nedlastingsti For Kanal", + "HeaderSelectChannelDownloadPathHelp": "Bla igjennom eller skriv en sti som brukes for lagring av cache filer. Mappen m\u00e5 v\u00e6re skrivbar.", + "OptionNewCollection": "Ny...", + "ButtonAdd": "Legg til", + "ButtonRemove": "Fjern", "LabelChapterDownloaders": "Kapittel nedlastinger:", "LabelChapterDownloadersHelp": "Aktiver og ranger din foretrukne kapittel nedlasting i f\u00f8lgende prioritet. Lavere prioritet nedlastinger vil kun bli brukt for \u00e5 fylle inn manglende informasjon", - "HeaderUsers": "Brukere", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For det beste resultatet med Internet Explorer anbefales det at du installerer WebM programtillegg for videoavspilling.", - "HeaderResume": "Fortsette", - "HeaderVideoError": "Video Error", + "HeaderFavoriteAlbums": "Favoritt Albumer", + "HeaderLatestChannelMedia": "Siste Kanal Elementer", + "ButtonOrganizeFile": "Organiser Fil", + "ButtonDeleteFile": "Slett FIl", + "HeaderOrganizeFile": "Organiser Fil", + "HeaderDeleteFile": "Slett FIl", + "StatusSkipped": "Hoppet over", + "StatusFailed": "Feilet", + "StatusSuccess": "Sukksess", + "MessageFileWillBeDeleted": "F\u00f8lgende fil vil bli slettet:", + "MessageSureYouWishToProceed": "Er du sikker p\u00e5 at du vil forsette?", + "MessageDuplicatesWillBeDeleted": "I tillegg vil f\u00f8lgende duplisering bli slettet:", + "MessageFollowingFileWillBeMovedFrom": "F\u00f8lgende fil har blitt flyttet fra:", + "MessageDestinationTo": "til:", + "HeaderSelectWatchFolder": "Velg overv\u00e5ket mappe", + "HeaderSelectWatchFolderHelp": "S\u00f8k igjennom eller velg sti for din Se mappe. Mappen m\u00e5 v\u00e6re skrivbar.", + "OrganizePatternResult": "Resultat: {0}", + "HeaderRestart": "Omstart", + "HeaderShutdown": "Sl\u00e5 Av", + "MessageConfirmRestart": "Er du sikker p\u00e5 at du vil starte Emby Server p\u00e5 ny?", + "MessageConfirmShutdown": "Er du sikker p\u00e5 at du vil avslutte Emby Server", + "ButtonUpdateNow": "Oppdater N\u00e5", + "ValueItemCount": "{0} element", + "ValueItemCountPlural": "{0} elementer", + "NewVersionOfSomethingAvailable": "En ny versjon av {0} er tilgjengelig!", + "VersionXIsAvailableForDownload": "Vesjon {0} er n\u00e5 tilgjengelig for nedlasting.", + "LabelVersionNumber": "Versjon {0}", + "LabelPlayMethodTranscoding": "Transcoding", + "LabelPlayMethodDirectStream": "Direkte Streaming", + "LabelPlayMethodDirectPlay": "Direkte Avspilling", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Lyd: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Lokal tilgang: {0}", + "LabelRemoteAccessUrl": "Ekstern tilgang: {0}", + "LabelRunningOnPort": "Kj\u00f8rer p\u00e5 http port {0}.", + "LabelRunningOnPorts": "Kj\u00f8rer p\u00e5 http port {0} og https port {1}.", + "HeaderLatestFromChannel": "Siste fra {0}", + "LabelUnknownLanaguage": "Ukjent Spr\u00e5k", + "HeaderCurrentSubtitles": "N\u00e5v\u00e6rende undertekster", + "MessageDownloadQueued": "Nedlastingen har blitt satt i k\u00f8.", + "MessageAreYouSureDeleteSubtitles": "Er du sikker p\u00e5 at du vil slette denne undertekst filen?", "ButtonRemoteControl": "Ekstern Kontroll", - "TabSongs": "Sanger", - "TabAlbums": "Album", - "MessageFeatureIncludedWithSupporter": "Du er registrert for denne funksjonen, og vil kunne fortsette \u00e5 bruke den med et aktiv supporter medlemskap.", + "HeaderLatestTvRecordings": "Siste Opptak", + "ButtonOk": "Ok", + "ButtonCancel": "Avbryt", + "ButtonRefresh": "Oppdater", + "LabelCurrentPath": "N\u00e5v\u00e6rende sti:", + "HeaderSelectMediaPath": "Velg Media Sti", + "HeaderSelectPath": "Velg sti", + "ButtonNetwork": "Nettverk", + "MessageDirectoryPickerInstruction": "Nettverksti kan skrives inn manuelt i tilfelle Nettverk-knappen ikke klarer \u00e5 lokalisere enhetene dine. For eksempel {0} eller {1}.", + "HeaderMenu": "Meny", + "ButtonOpen": "\u00c5pne", + "ButtonOpenInNewTab": "\u00c5pne i ny fane", + "ButtonShuffle": "Shuffle", + "ButtonInstantMix": "Direktemiks", + "ButtonResume": "Fortsette", + "HeaderScenes": "Scener", + "HeaderAudioTracks": "Lydspor", + "HeaderLibraries": "Bibliotek", + "HeaderSubtitles": "Undertekster", + "HeaderVideoQuality": "Videookvalitet", + "MessageErrorPlayingVideo": "Det oppstod en feil ved avspilling av vidoen.", + "MessageEnsureOpenTuner": "Vennligst s\u00f8rg for at det minst er \u00e9n \u00e5pen tuner tilgjengelig.", + "ButtonHome": "Hjem", + "ButtonDashboard": "Dashbord", + "ButtonReports": "Rapporter", + "ButtonMetadataManager": "Metadata Behandler", + "HeaderTime": "Tid", + "HeaderName": "Navn", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Lagt til {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Kanaler", + "HeaderMediaFolders": "Mediemapper", + "HeaderBlockItemsWithNoRating": "Blokker innhold uten rating:", + "OptionBlockOthers": "Andre", + "OptionBlockTvShows": "TV Serier", + "OptionBlockTrailers": "Trailere", + "OptionBlockMusic": "Musikk", + "OptionBlockMovies": "Filmer", + "OptionBlockBooks": "B\u00f8ker", + "OptionBlockGames": "Spill", + "OptionBlockLiveTvPrograms": "Live TV Programmer", + "OptionBlockLiveTvChannels": "Live TV Kanaler", + "OptionBlockChannelContent": "Innhold fra Internettkanal", + "ButtonRevoke": "Tilbakekall", + "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Tilbakekall API-n\u00f8kkel", "ValueContainer": "Kontainer: {0}", "ValueAudioCodec": "Lyd Kodek: {0}", "ValueVideoCodec": "Video Kodek: {0}", - "TabMusicVideos": "Musikk-videoer", "ValueCodec": "Kodek: {0}", - "HeaderLatestReviews": "Siste anmeldelser", - "HeaderDevices": "Enheter", "ValueConditions": "Tilstand: {0}", - "HeaderPluginInstallation": "Programtillegg installasjon", "LabelAll": "Alle", - "MessageAlreadyInstalled": "Denne versjonen er allerede installert.", "HeaderDeleteImage": "Slett bilde", - "ValueReviewCount": "{0} Anmeldelser", "MessageFileNotFound": "Fant ikke fil.", - "MessageYouHaveVersionInstalled": "Du har for \u00f8yeblikket versjon {0} installert", "MessageFileReadError": "En feil oppstod n\u00e5r filen skulle leses.", - "MessageTrialExpired": "Pr\u00f8veperioden for denne funksjonen er utl\u00f8pt", "ButtonNextPage": "Neste Side", - "OptionWatched": "Sett", - "MessageTrialWillExpireIn": "Pr\u00f8veperioden for denne funksjonen utl\u00f8per om {0} dag (er)", "ButtonPreviousPage": "Forrige Side", - "OptionUnwatched": "Usett", - "MessageInstallPluginFromApp": "Dette programtillegget m\u00e5 installeres direkte i appen du har tenkt \u00e5 bruke den i.", - "OptionRuntime": "Spilletid", - "HeaderMyMedia": "Mine media", "ButtonMoveLeft": "Flytt til venstre", - "ExternalPlayerPlaystateOptionsHelp": "Spesifiser hvordan du vil fortsette avspillingen av denne videoen neste gang.", - "ValuePriceUSD": "Pris: {0} (USD)", - "OptionReleaseDate": "Lanseringsdato", + "OptionReleaseDate": "Utgivelsesdato", "ButtonMoveRight": "Flytt til h\u00f8yre", - "LabelMarkAs": "Merk som:", "ButtonBrowseOnlineImages": "Bla igjennom bilder online", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Vennligst aksepter tjenestevilk\u00e5rene f\u00f8r du fortsetter.", - "OptionInProgress": "Igang", "HeaderDeleteItem": "Slett element", - "ButtonUninstall": "Avinstaller", - "LabelResumePoint": "Fortsettelsespunkt", "ConfirmDeleteItem": "Sletter elementet fra b\u00e5de filsystemet og biblioteket. Er du sikker p\u00e5 at du vil fortsette?", - "ValueOneMovie": "1 film", - "ValueItemCount": "{0} element", "MessagePleaseEnterNameOrId": "Vennligst skriv ett navn eller en ekstern id.", - "ValueMovieCount": "{0} filmer", - "PluginCategoryGeneral": "Generelt", - "ValueItemCountPlural": "{0} elementer", "MessageValueNotCorrect": "Verdien som ble skrevet er ikke korrekt. Vennligst pr\u00f8v igjen.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Element lagret.", - "HeaderWelcomeBack": "Velkommen tilbake!", - "ValueTrailerCount": "{0} trailere", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Vennligst aksepter tjenestevilk\u00e5rene f\u00f8r du fortsetter.", + "OptionEnded": "Avsluttet", + "OptionContinuing": "Fortsetter", + "OptionOff": "Av", + "OptionOn": "P\u00e5", + "ButtonSettings": "Innstillinger", + "ButtonUninstall": "Avinstaller", "HeaderFields": "Felt", - "ButtonTakeTheTourToSeeWhatsNew": "Ta en titt p\u00e5 hva som er nytt", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Innholdstilbydere", "HeaderFieldsHelp": "Skyv ett felt til \"av\" for \u00e5 l\u00e5se det og for \u00e5 unng\u00e5 at data blir forandret.", - "ValueSeriesCount": "{0} serier", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Gjentakende donasjoner kan avbrytes n\u00e5r som helst fra din PayPal-konto.", - "ButtonRevoke": "Tilbakekall", "MissingLocalTrailer": "Mangler lokal trailer", - "ValueEpisodeCount": "{0} episoder", - "PluginCategoryScreenSaver": "Skjermspar", - "ButtonMore": "Mer", "MissingPrimaryImage": "Mangler primary bilde.", - "ValueOneGame": "1 spill", - "HeaderFavoriteMovies": "Favorittfilmer", "MissingBackdropImage": "Mangler backdrop bilde.", - "ValueGameCount": "{0} spill", - "HeaderFavoriteShows": "Favorittserier", "MissingLogoImage": "Mangler logo bilde.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Temaer", - "HeaderFavoriteEpisodes": "Favorittepisoder", "MissingEpisode": "Mangler episode.", - "ValueAlbumCount": "{0} album", - "HeaderFavoriteGames": "Favorittspill", - "MessagePlaybackErrorPlaceHolder": "Valgt innholdet, kan ikke avspilles fra denne enheten.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 sang", - "HeaderRatingsDownloads": "Rangering \/ Nedlasting", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "Det oppstod en feil under innlasting supporterinformasjon. Vennligst pr\u00f8v igjen senere.", - "ValueSongCount": "{0} sanger", - "PluginCategorySync": "Synk", - "HeaderConfirmProfileDeletion": "Bekreft sletting av profil", - "HeaderSelectDate": "Velg dato", - "ValueOneMusicVideo": "1 musikkvideo", - "MessageConfirmProfileDeletion": "Er du sikker p\u00e5 at du vil slette denne profilen?", "OptionImages": "Bilder", - "ValueMusicVideoCount": "{0} musikkvideoer", - "HeaderSelectServerCachePath": "Velg Sti for Server Cache", "OptionKeywords": "N\u00f8kkelord", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Sosiale nettverk", - "HeaderSelectTranscodingPath": "Velg Sti for Midlertidig Transcoding", - "MessageThankYouForSupporting": "Takk for at du st\u00f8tter Emby.", "OptionTags": "Tagger", - "HeaderUnaired": "Ikke sendt", - "HeaderSelectImagesByNamePath": "Velg Sti for Bilder etter Navn", "OptionStudios": "Studioer", - "HeaderMissing": "Mangler", - "HeaderSelectMetadataPath": "Velg Sti for Metadata", "OptionName": "Navn", - "HeaderConfirmRemoveUser": "Fjern bruker", - "ButtonWebsite": "Nettsted", - "PluginCategoryNotifications": "Varslinger", - "HeaderSelectServerCachePathHelp": "Bla eller skriv stien som skal brukes for server cache filer. Mappen m\u00e5 v\u00e6re skrivbar.", - "SyncJobStatusQueued": "I k\u00f8", "OptionOverview": "Oversikt", - "TooltipFavorite": "Favoritt", - "HeaderSelectTranscodingPathHelp": "Bla eller skriv stien som skal brukes for transcoding av midlertidige filer. Mappen m\u00e5 v\u00e6re skrivbar.", - "ButtonCancelItem": "Avbryt element", "OptionGenres": "Sjangere", - "ButtonScheduledTasks": "Planlagte oppgaver", - "ValueTimeLimitSingleHour": "Tidsgrense: 1 time", - "TooltipLike": "Liker", - "HeaderSelectImagesByNamePathHelp": "Bla eller skriv stien til dine elementer etter navn mappe. Mappen m\u00e5 v\u00e6re skrivbar.", - "SyncJobStatusCompleted": "Synkronisert", + "OptionParentalRating": "Foreldresensur", "OptionPeople": "Person", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Misliker", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Bla eller skriv stien som skal brukes for metadata. Mappen m\u00e5 v\u00e6re skrivbar.", - "ButtonQueueForRetry": "K\u00f8 for \u00e5 pr\u00f8ve igjen", - "SyncJobStatusCompletedWithError": "Synkronisert med feil", + "OptionRuntime": "Spilletid", "OptionProductionLocations": "Produksjonsplass", - "ButtonDonate": "Don\u00e9r", - "TooltipPlayed": "Sett", "OptionBirthLocation": "F\u00f8dested", - "ValueTimeLimitMultiHour": "Tidsgrense: {0} time", - "ValueSeriesYearToPresent": "{0}-N\u00e5", - "ButtonReenable": "Skru p\u00e5 igjen", + "LabelAllChannels": "Alle kanaler", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "Dette kj\u00f8res vanligvis automatisk som en planlagt oppgave. Den kan ogs\u00e5 kj\u00f8res manuelt herfra. For \u00e5 konfigurere planlagte oppgaver, se:", - "ValueAwards": "Priser: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NY", - "ValueBudget": "Budsjett: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Markert for fjerning", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Inntjening: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Endre innholdstype", - "ButtonQueueAllFromHere": "K\u00f8 alt herfra", - "ValuePremiered": "Premiere {0}", - "PluginCategoryChannel": "Kanaler", - "HeaderLibraryFolders": "Media Mapper", - "ButtonMarkForRemoval": "Fjern fra enheten.", "HeaderChangeFolderTypeHelp": "For \u00e5 endre type, fjern og opprett ny mappe med den nye typen.", - "ButtonPlayAllFromHere": "Spill alt herfra", - "ValuePremieres": "Premiere {0}", "HeaderAlert": "Varsling", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Avbryt fjerning fra enheten", "MessagePleaseRestart": "Vennligst utf\u00f8r en omstart for \u00e5 fullf\u00f8re oppdatering.", - "HeaderIdentify": "Identifiser Element", - "ValueStudios": "Studioer: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Vennligst last inn siden p\u00e5 nytt for \u00e5 motta nye oppdateringer fra serveren.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Spesiell - {0}", - "TitlePlugins": "Programtillegg", - "MessageConfirmSyncJobItemCancellation": "Er du sikker p\u00e5 at du vil kansellere dette elementet?", "ButtonHide": "Skjul", - "LabelTitleDisplayOrder": "Tittel visnings rekkef\u00f8lge:", - "ButtonViewSeriesRecording": "Se serie opptak", "MessageSettingsSaved": "Innstillinger lagret.", - "OptionSortName": "Sorterings navn", - "ValueOriginalAirDate": "Original lanseringsdato: {0}", - "HeaderLibraries": "Bibliotek", "ButtonSignOut": "Logg Ut", - "ButtonOk": "Ok", "ButtonMyProfile": "Min Profil", - "ButtonCancel": "Avbryt", "ButtonMyPreferences": "Mine Preferanser", - "LabelDiscNumber": "Disk nummer", "MessageBrowserDoesNotSupportWebSockets": "Denne nettleseren st\u00f8tter ikke web sockets. For en bedre brukeropplevelse pr\u00f8v en nyere nettleser som for eksemepel Chrome, Firefox, IE10+, Safari (IOS) eller Opera.", - "LabelParentNumber": "Forelder-ID", "LabelInstallingPackage": "Installerer {0}", - "TitleSync": "Synk", "LabelPackageInstallCompleted": "{0} installering fullf\u00f8rt.", - "LabelTrackNumber": "Spor nummer:", "LabelPackageInstallFailed": "{0} installasjon feilet.", - "LabelNumber": "Nummer:", "LabelPackageInstallCancelled": "{0} installasjon avbrutt.", - "LabelReleaseDate": "Utgivelsesdato:", + "TabServer": "Server", "TabUsers": "Brukere", - "LabelEndDate": "Slutt dato:", "TabLibrary": "Bibliotek", - "LabelYear": "\u00c5r:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "F\u00f8dseldato:", "TabLiveTV": "Live TV", - "LabelBirthYear": "F\u00f8dsels\u00e5r:", "TabAutoOrganize": "Auto-organiser", - "LabelDeathDate": "D\u00f8dsdato:", "TabPlugins": "Programtillegg", - "HeaderRemoveMediaLocation": "Fjern Mediamappe", - "HeaderDeviceAccess": "Enhetstilgang", + "TabAdvanced": "Avansert", "TabHelp": "Hjelp", - "MessageConfirmRemoveMediaLocation": "Er du sikker p\u00e5 at du vil slette dette stedet??", - "HeaderSelectDevices": "Velg enheter", "TabScheduledTasks": "Planlagte Oppgaver", - "HeaderRenameMediaFolder": "Endre navn p\u00e5 Mediamappe", - "LabelNewName": "Nytt navn:", - "HeaderLatestFromChannel": "Siste fra {0}", - "HeaderAddMediaFolder": "Legg til mediamappe", - "ButtonQuality": "Kvalitet", - "HeaderAddMediaFolderHelp": "Navn (Filmer, Musikk, TV, etc):", "ButtonFullscreen": "Fullskjerm", - "HeaderRemoveMediaFolder": "Fjern Mediamappe", - "ButtonScenes": "Scener", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f8lgende mapper med media vil bli fjernet fra ditt bibliotek:", - "ErrorLaunchingChromecast": "Det var en feil ved start av Chromecast. Vennligst forsikre deg om at enheten har korrekt forbindelse til ditt tr\u00e5dl\u00f8se nettverk.", - "ButtonSubtitles": "Undertekster", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Er du sikker p\u00e5 at dul vil slette denne media-mappen?", - "MessagePleaseSelectOneItem": "Vennligst velg minst ett element.", "ButtonAudioTracks": "Lydspor", - "ButtonRename": "Gi nytt navn", - "MessagePleaseSelectTwoItems": "Vennligst velg minst to elementer.", - "ButtonPreviousTrack": "Forrige Spor", - "ButtonChangeType": "Endre type", - "HeaderSelectChannelDownloadPath": "Velg Nedlastingsti For Kanal", - "ButtonNextTrack": "Neste Spor", - "HeaderMediaLocations": "Media Steder", - "HeaderSelectChannelDownloadPathHelp": "Bla igjennom eller skriv en sti som brukes for lagring av cache filer. Mappen m\u00e5 v\u00e6re skrivbar.", - "ButtonStop": "Stopp", - "OptionNewCollection": "Ny...", - "ButtonPause": "Pause", - "TabMovies": "Filmer", - "LabelPathSubstitutionHelp": "Valgfritt: Sti erstatter kan koble server stier til nettverkressurser som klienter har tilgang til for direkte avspilling.", - "TabTrailers": "Trailere", - "FolderTypeMovies": "Filmer", - "LabelCollection": "Samling", - "FolderTypeMusic": "Musikk", - "FolderTypeAdultVideos": "Voksen-videoer", - "HeaderAddToCollection": "Legg til i Samling", - "FolderTypePhotos": "Foto", - "ButtonSubmit": "Send", - "FolderTypeMusicVideos": "Musikk-videoer", - "SettingsSaved": "Innstillinger lagret", - "OptionParentalRating": "Foreldresensur", - "FolderTypeHomeVideos": "Hjemme-videoer", - "AddUser": "Legg til bruker", - "HeaderMenu": "Meny", - "FolderTypeGames": "Spill", - "Users": "Brukere", - "ButtonRefresh": "Oppdater", - "PinCodeResetComplete": "PIN-koden har blitt tilbakestilt", - "ButtonOpen": "\u00c5pne", - "FolderTypeBooks": "B\u00f8ker", - "Delete": "Slett", - "LabelCurrentPath": "N\u00e5v\u00e6rende sti:", - "TabAdvanced": "Avansert", - "ButtonOpenInNewTab": "\u00c5pne i ny fane", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Velg Media Sti", - "PinCodeResetConfirmation": "Er du sikker p\u00e5 at du vil tilbakestille PIN-koden?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "F\u00f8dested: {0}", - "Password": "Passord", - "ButtonNetwork": "Nettverk", - "OptionContinuing": "Fortsetter", - "ButtonInstantMix": "Direktemiks", - "DeathDateValue": "D\u00f8de: {0}", - "MessageDirectoryPickerInstruction": "Nettverksti kan skrives inn manuelt i tilfelle Nettverk-knappen ikke klarer \u00e5 lokalisere enhetene dine. For eksempel {0} eller {1}.", - "HeaderPinCodeReset": "Tilbakestill PIN-kode", - "OptionEnded": "Avsluttet", - "ButtonResume": "Fortsette", + "ButtonSubtitles": "Undertekster", + "ButtonScenes": "Scener", + "ButtonQuality": "Kvalitet", + "HeaderNotifications": "Melding", + "HeaderSelectPlayer": "Velg Spiller", + "ButtonSelect": "Velg", + "ButtonNew": "Ny", + "MessageInternetExplorerWebm": "For det beste resultatet med Internet Explorer anbefales det at du installerer WebM programtillegg for videoavspilling.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Legg til spilleliste", - "BirthDateValue": "F\u00f8dt: {0}", - "ButtonMoreItems": "Mer...", - "DeleteImage": "Slett bilde", "HeaderAddToPlaylist": "Legg til Spilleliste", - "LabelSelectCollection": "Velg samling:", - "MessageNoSyncJobsFound": "Ingen synkroniseringsjobber funnet. Opprett en synkroniseringsjobb ved hjelp av Synkroniseringsknappene i biblioteket", - "ButtonRemoveFromPlaylist": "Fjern fra spilleliste", - "DeleteImageConfirmation": "Er du sikker p\u00e5 at du vil slette bildet?", - "HeaderLoginFailure": "P\u00e5loggingsfeil", - "OptionSunday": "S\u00f8ndag", + "LabelName": "Navn", + "ButtonSubmit": "Send", "LabelSelectPlaylist": "Spilleliste", - "LabelContentTypeValue": "Innholdstype {0}", - "FileReadCancelled": "Lesing av filen kansellert.", - "OptionMonday": "Mandag", "OptionNewPlaylist": "Ny spilleliste...", - "FileNotFound": "Fil ikke funnet", - "HeaderPlaybackError": "Avspillingsfeil", - "OptionTuesday": "Tirsdag", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Feil oppstod i det filen ble lest", - "HeaderName": "Navn", - "OptionWednesday": "Onsdag", + "ButtonView": "Se", + "ButtonViewSeriesRecording": "Se serie opptak", + "ValueOriginalAirDate": "Original lanseringsdato: {0}", + "ButtonRemoveFromPlaylist": "Fjern fra spilleliste", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailere", + "HeaderAudio": "Lyd", + "HeaderResolution": "Oppl\u00f8sning", + "HeaderVideo": "Video", + "HeaderRuntime": "Spilletid", + "HeaderCommunityRating": "Fellesskap anmeldelse", + "HeaderPasswordReset": "Resett passord", + "HeaderParentalRating": "Foreldresensur", + "HeaderReleaseDate": "Utgivelsesdato", + "HeaderDateAdded": "Dato lagt til", + "HeaderSeries": "Serier", + "HeaderSeason": "Sesong", + "HeaderSeasonNumber": "Sesong nummer", + "HeaderNetwork": "Nettverk", + "HeaderYear": "\u00c5r", + "HeaderGameSystem": "Spill system", + "HeaderPlayers": "Spillere", + "HeaderEmbeddedImage": "innebygd bilde", + "HeaderTrack": "Spor", + "HeaderDisc": "Disk", + "OptionMovies": "Filmer", "OptionCollections": "Samlinger", - "DeleteUser": "Slett bruker", - "OptionThursday": "Torsdag", "OptionSeries": "Serier", - "DeleteUserConfirmation": "Er du sikker p\u00e5 at du vil slette denne brukeren?", - "MessagePlaybackErrorNotAllowed": "Du er for \u00f8yeblikket ikke autorisert til \u00e5 spille dette innholdet. Ta kontakt med systemadministratoren for mer informasjon.", - "OptionFriday": "Fredag", "OptionSeasons": "Sesonger", - "PasswordResetHeader": "Tilbakestill passord", - "OptionSaturday": "L\u00f8rdag", + "OptionEpisodes": "Episoder", "OptionGames": "Spill", - "PasswordResetComplete": "Passordet har blitt tilbakestilt", - "HeaderSpecials": "Specials", "OptionGameSystems": "Spill systemer", - "PasswordResetConfirmation": "Er du sikker p\u00e5 at du vil tilbakestille passordet?", - "MessagePlaybackErrorNoCompatibleStream": "Ingen kompatible streamer er tilgjengelig for \u00f8yeblikket. Vennligst pr\u00f8v igjen senere eller kontakt systemadministratoren for mer informasjon.", - "HeaderTrailers": "Trailere", "OptionMusicArtists": "Musikk artist", - "PasswordSaved": "Passord lagret", - "HeaderAudio": "Lyd", "OptionMusicAlbums": "Musikk album", - "PasswordMatchError": "Passord og passord-verifiseringen m\u00e5 matche", - "HeaderResolution": "Oppl\u00f8sning", - "LabelFailed": "(Feilet)", "OptionMusicVideos": "Musikk videoer", - "MessagePlaybackErrorRateLimitExceeded": "Avspillingshastighet grensen er overskredet. Ta kontakt med systemadministratoren for mer informasjon.", - "HeaderVideo": "Video", - "ButtonSelect": "Velg", - "LabelVersionNumber": "Versjon {0}", "OptionSongs": "Sanger", - "HeaderRuntime": "Spilletid", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Hjemme videoer", - "ButtonSave": "Lagre", - "HeaderCommunityRating": "Fellesskap anmeldelse", - "LabelSeries": "Serier", - "LabelPlayMethodDirectStream": "Direkte Streaming", "OptionBooks": "B\u00f8ker", - "HeaderParentalRating": "Foreldresensur", - "LabelSeasonNumber": "Sesong nummer:", - "HeaderChannels": "Kanaler", - "LabelPlayMethodDirectPlay": "Direkte Avspilling", "OptionAdultVideos": "Voksen videoer", - "ButtonDownload": "Nedlasting", - "HeaderReleaseDate": "Utgivelsesdato", - "LabelEpisodeNumber": "Episode nummer:", - "LabelAudioCodec": "Lyd: {0}", "ButtonUp": "Opp", - "LabelUnknownLanaguage": "Ukjent Spr\u00e5k", - "HeaderDateAdded": "Dato lagt til", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Ned", - "HeaderCurrentSubtitles": "N\u00e5v\u00e6rende undertekster", - "ButtonPlayExternalPlayer": "Spill i ekstern avspiller", - "HeaderSeries": "Serier", - "TabServer": "Server", - "TabSeries": "Serier", - "LabelRemoteAccessUrl": "Ekstern tilgang: {0}", "LabelMetadataReaders": "Metadata Behandler:", - "MessageDownloadQueued": "Nedlastingen har blitt satt i k\u00f8.", - "HeaderSelectExternalPlayer": "Velg ekstern avspiller", - "HeaderSeason": "Sesong", - "HeaderSupportTheTeam": "St\u00f8tt Emby teamet!", - "LabelRunningOnPort": "Kj\u00f8rer p\u00e5 http port {0}.", "LabelMetadataReadersHelp": "Ranger dine prefererte lokale metadata kilder i prioritert rekkef\u00f8lge. F\u00f8rste fil funnet vil bli lest.", - "MessageAreYouSureDeleteSubtitles": "Er du sikker p\u00e5 at du vil slette denne undertekst filen?", - "HeaderExternalPlayerPlayback": "Ekstern avspilling", - "HeaderSeasonNumber": "Sesong nummer", - "LabelRunningOnPorts": "Kj\u00f8rer p\u00e5 http port {0} og https port {1}.", "LabelMetadataDownloaders": "Metadata nedlastere:", - "ButtonImDone": "Jeg er ferdig", - "HeaderNetwork": "Nettverk", "LabelMetadataDownloadersHelp": "Aktiver og ranger din foretrukne kapittel nedlasting i f\u00f8lgende prioritet. Lavere prioritet nedlastinger vil kun bli brukt for \u00e5 fylle inn manglende informasjon", - "HeaderLatestMedia": "Siste Media", - "HeaderYear": "\u00c5r", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Spill system", - "MessagePleaseSupportProject": "Vennligst st\u00f8tt Emby.", "LabelMetadataSaversHelp": "Velg filformatene dine metadata skal lagres til.", - "HeaderPlayers": "Spillere", "LabelImageFetchers": "Bildekilder:", - "HeaderEmbeddedImage": "innebygd bilde", - "ButtonNew": "Ny", "LabelImageFetchersHelp": "Aktiver og ranger dine foretrukne bildekilder i prioritert rekkef\u00f8lge.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Spor", - "HeaderWelcomeToProjectServerDashboard": "Velkommen til Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disk", - "HeaderWelcomeToProjectWebClient": "Velkommen til Emby", - "LabelName": "Navn", - "LabelAddedOnDate": "Lagt til {0}", - "ButtonRemove": "Fjern", - "ButtonStart": "Start", - "HeaderEmbyAccountAdded": "Emby konto lagt til", - "HeaderBlockItemsWithNoRating": "Blokker innhold uten rating:", - "LabelLocalAccessUrl": "Lokal tilgang: {0}", - "OptionBlockOthers": "Andre", - "SyncJobStatusReadyToTransfer": "Klar til overf\u00f8ring", - "OptionBlockTvShows": "TV Serier", - "SyncJobItemStatusReadyToTransfer": "Klar til overf\u00f8ring", - "MessageEmbyAccountAdded": "Emby-konto er blitt lagt til denne brukeren.", - "OptionBlockTrailers": "Trailere", - "OptionBlockMusic": "Musikk", - "OptionBlockMovies": "Filmer", - "HeaderAllRecordings": "Alle opptak", - "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "B\u00f8ker", - "ButtonPlay": "Spill", - "OptionBlockGames": "Spill", - "MessageKeyEmailedTo": "N\u00f8kkel sendt til {0}", + "ButtonQueueAllFromHere": "K\u00f8 alt herfra", + "ButtonPlayAllFromHere": "Spill alt herfra", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identifiser Element", + "PersonTypePerson": "Person", + "LabelTitleDisplayOrder": "Tittel visnings rekkef\u00f8lge:", + "OptionSortName": "Sorterings navn", + "LabelDiscNumber": "Disk nummer", + "LabelParentNumber": "Forelder-ID", + "LabelTrackNumber": "Spor nummer:", + "LabelNumber": "Nummer:", + "LabelReleaseDate": "Utgivelsesdato:", + "LabelEndDate": "Slutt dato:", + "LabelYear": "\u00c5r:", + "LabelDateOfBirth": "F\u00f8dseldato:", + "LabelBirthYear": "F\u00f8dsels\u00e5r:", + "LabelBirthDate": "F\u00f8dselsdato:", + "LabelDeathDate": "D\u00f8dsdato:", + "HeaderRemoveMediaLocation": "Fjern Mediamappe", + "MessageConfirmRemoveMediaLocation": "Er du sikker p\u00e5 at du vil slette dette stedet??", + "HeaderRenameMediaFolder": "Endre navn p\u00e5 Mediamappe", + "LabelNewName": "Nytt navn:", + "HeaderAddMediaFolder": "Legg til mediamappe", + "HeaderAddMediaFolderHelp": "Navn (Filmer, Musikk, TV, etc):", + "HeaderRemoveMediaFolder": "Fjern Mediamappe", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f8lgende mapper med media vil bli fjernet fra ditt bibliotek:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Er du sikker p\u00e5 at dul vil slette denne media-mappen?", + "ButtonRename": "Gi nytt navn", + "ButtonChangeType": "Endre type", + "HeaderMediaLocations": "Media Steder", + "LabelContentTypeValue": "Innholdstype {0}", + "LabelPathSubstitutionHelp": "Valgfritt: Sti erstatter kan koble server stier til nettverkressurser som klienter har tilgang til for direkte avspilling.", + "FolderTypeUnset": "Ikke bestemt (variert innhold)", + "FolderTypeMovies": "Filmer", + "FolderTypeMusic": "Musikk", + "FolderTypeAdultVideos": "Voksen-videoer", + "FolderTypePhotos": "Foto", + "FolderTypeMusicVideos": "Musikk-videoer", + "FolderTypeHomeVideos": "Hjemme-videoer", + "FolderTypeGames": "Spill", + "FolderTypeBooks": "B\u00f8ker", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmer", + "TabSeries": "Serier", + "TabEpisodes": "Episoder", + "TabTrailers": "Trailere", "TabGames": "Spill", - "ButtonEdit": "Rediger", - "OptionBlockLiveTvPrograms": "Live TV Programmer", - "MessageKeysLinked": "N\u00f8kler lenket.", - "HeaderEmbyAccountRemoved": "Embykonto er fjernet", - "OptionBlockLiveTvChannels": "Live TV Kanaler", - "HeaderConfirmation": "Bekreftelse", + "TabAlbums": "Album", + "TabSongs": "Sanger", + "TabMusicVideos": "Musikk-videoer", + "BirthPlaceValue": "F\u00f8dested: {0}", + "DeathDateValue": "D\u00f8de: {0}", + "BirthDateValue": "F\u00f8dt: {0}", + "HeaderLatestReviews": "Siste anmeldelser", + "HeaderPluginInstallation": "Programtillegg installasjon", + "MessageAlreadyInstalled": "Denne versjonen er allerede installert.", + "ValueReviewCount": "{0} Anmeldelser", + "MessageYouHaveVersionInstalled": "Du har for \u00f8yeblikket versjon {0} installert", + "MessageTrialExpired": "Pr\u00f8veperioden for denne funksjonen er utl\u00f8pt", + "MessageTrialWillExpireIn": "Pr\u00f8veperioden for denne funksjonen utl\u00f8per om {0} dag (er)", + "MessageInstallPluginFromApp": "Dette programtillegget m\u00e5 installeres direkte i appen du har tenkt \u00e5 bruke den i.", + "ValuePriceUSD": "Pris: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Du er registrert for denne funksjonen, og vil kunne fortsette \u00e5 bruke den med et aktiv supporter medlemskap.", + "MessageChangeRecurringPlanConfirm": "Etter \u00e5 ha fullf\u00f8rt denne transaksjonen vil du m\u00e5tte avbestille din forrige gjentagende donasjon fra din PayPal-konto. Takk for at du st\u00f8tter Emby.", + "MessageSupporterMembershipExpiredOn": "Ditt supporter medlemskap utl\u00f8p den {0}.", + "MessageYouHaveALifetimeMembership": "Du har et levetid supporter medlemskap. Du kan gi ytterligere donasjoner engangs eller periodisk basis ved hjelp av alternativene nedenfor. Takk for at du st\u00f8tter Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Du har et aktivt {0} medlemskap. Du kan oppgradere din plan ved hjelp av alternativene nedenfor.", "ButtonDelete": "Slett", - "OptionBlockChannelContent": "Innhold fra Internettkanal", - "MessageKeyUpdated": "Takk. Din supportern\u00f8kkel har blitt oppdatert.", - "MessageKeyRemoved": "Takk. Din supportern\u00f8kkel har blitt fjernet.", - "OptionMovies": "Filmer", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "S\u00f8k", - "OptionEpisodes": "Episoder", - "LabelArtist": "Artist", - "LabelMovie": "Film", - "HeaderPasswordReset": "Resett passord", - "TooltipLinkedToEmbyConnect": "Knyttet til Emby Connect.", - "LabelMusicVideo": "Musikk Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Avbrutt av server shutdown)", - "HeaderConfirmSeriesCancellation": "Bekreft Serier kansellering", - "LabelStopping": "Stoppe", - "MessageConfirmSeriesCancellation": "Er du sikker p\u00e5 at du vil kansellere denne serien?", - "LabelCancelled": "(kansellert)", - "MessageSeriesCancelled": "Serie kansellert.", - "HeaderConfirmDeletion": "Bekreft Kansellering", - "MessageConfirmPathSubstitutionDeletion": "Er du sikker p\u00e5 at du vil slette sti erstatter?", - "LabelScheduledTaskLastRan": "Sist kj\u00f8rt {0}, tar {1}.", - "LiveTvUpdateAvailable": "(Oppdatering tilgjengelig)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Slett Oppgave Trigger", - "LabelVersionUpToDate": "Oppdatert!", - "ButtonTakeTheTour": "Bli med p\u00e5 omvisning", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plott n\u00f8kkelord", - "HeaderTags": "Tagger", - "TabCast": "Cast", - "WebClientTourMySync": "Synkronis\u00e9r dine personlige mediefiler til dine enheter for offline bruk.", - "TabScenes": "Scener", - "DashboardTourSync": "Synkroniser personlige mediafiler til din enhet for \u00e5 se p\u00e5 offline.", - "MessageRefreshQueued": "Oppfrisk k\u00f8en", - "DashboardTourHelp": "Applikasjonens hjelpesystem har knapper som gir enkel tilgang til relevant dokumentasjon fra wikien.", - "DeviceLastUsedByUserName": "Sist brukt av {0}", - "HeaderDeleteDevice": "Slett Enhet", - "DeleteDeviceConfirmation": "Er du sikker p\u00e5 at du vil slette denne enheten? Den vil gjenoppst\u00e5 neste gang en bruker logger inn med den.", - "LabelEnableCameraUploadFor": "Aktiver kameraopplasting for:", - "HeaderSelectUploadPath": "Velg Opplastings sti", - "LabelEnableCameraUploadForHelp": "Uploads will occur automatically in the background when signed into Emby.", - "ButtonLibraryAccess": "Bibliotektilgang", - "ButtonParentalControl": "Foreldrekontroll", - "TabDevices": "Enheter", - "LabelItemLimit": "Begrenset antall:", - "HeaderAdvanced": "Avansert", - "LabelItemLimitHelp": "Valgfri. Sett en grense for hvor mange enheter som skal synkroniseres.", - "MessageBookPluginRequired": "Forutsetter at programtillegget bokhylle er installert", + "HeaderEmbyAccountAdded": "Emby konto lagt til", + "MessageEmbyAccountAdded": "Emby-konto er blitt lagt til denne brukeren.", + "MessagePendingEmbyAccountAdded": "The Emby 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.", + "HeaderEmbyAccountRemoved": "Embykonto er fjernet", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Knyttet til Emby Connect.", + "HeaderUnrated": "Uvurdert", + "ValueDiscNumber": "Disk {0}", + "HeaderUnknownDate": "Ukjent dato", + "HeaderUnknownYear": "Ukjent \u00e5r", + "ValueMinutes": "{0} minutter", + "ButtonPlayExternalPlayer": "Spill i ekstern avspiller", + "HeaderSelectExternalPlayer": "Velg ekstern avspiller", + "HeaderExternalPlayerPlayback": "Ekstern avspilling", + "ButtonImDone": "Jeg er ferdig", + "OptionWatched": "Sett", + "OptionUnwatched": "Usett", + "ExternalPlayerPlaystateOptionsHelp": "Spesifiser hvordan du vil fortsette avspillingen av denne videoen neste gang.", + "LabelMarkAs": "Merk som:", + "OptionInProgress": "Igang", + "LabelResumePoint": "Fortsettelsespunkt", + "ValueOneMovie": "1 film", + "ValueMovieCount": "{0} filmer", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailere", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} serier", + "ValueOneEpisode": "1 episode", + "ValueEpisodeCount": "{0} episoder", + "ValueOneGame": "1 spill", + "ValueGameCount": "{0} spill", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} album", + "ValueOneSong": "1 sang", + "ValueSongCount": "{0} sanger", + "ValueOneMusicVideo": "1 musikkvideo", + "ValueMusicVideoCount": "{0} musikkvideoer", + "HeaderOffline": "Offline", + "HeaderUnaired": "Ikke sendt", + "HeaderMissing": "Mangler", + "ButtonWebsite": "Nettsted", + "TooltipFavorite": "Favoritt", + "TooltipLike": "Liker", + "TooltipDislike": "Misliker", + "TooltipPlayed": "Sett", + "ValueSeriesYearToPresent": "{0}-N\u00e5", + "ValueAwards": "Priser: {0}", + "ValueBudget": "Budsjett: {0}", + "ValueRevenue": "Inntjening: {0}", + "ValuePremiered": "Premiere {0}", + "ValuePremieres": "Premiere {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studioer: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Spesiell - {0}", + "LabelLimit": "Grense:", + "ValueLinks": "Lenker: {0}", + "HeaderPeople": "Personer", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Forutsetter at programtillegget GameBrowser er installert", "ValueArtist": "Artist: {0}", "ValueArtists": "Artister: {0}", + "HeaderTags": "Tagger", "MediaInfoCameraMake": "Kameramerke", "MediaInfoCameraModel": "Kameramodell", "MediaInfoAltitude": "H\u00f8yde", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Lengdegrad", "MediaInfoShutterSpeed": "Lukkerhastighet", "MediaInfoSoftware": "Programvare", - "TabNotifications": "Varslinger", "HeaderIfYouLikeCheckTheseOut": "Hvis du liker {0}, sjekk ut disse...", + "HeaderPlotKeywords": "Plott n\u00f8kkelord", "HeaderMovies": "Filmer", "HeaderAlbums": "Albumer", "HeaderGames": "Spill", - "HeaderConnectionFailure": "Tilkobling feilet", "HeaderBooks": "B\u00f8ker", - "MessageUnableToConnectToServer": "Vi kan ikke kontakte angitt server akkurat n\u00e5. Sjekk at den er startet og pr\u00f8v igjen.", - "MessageUnsetContentHelp": "Innhold vises som enkle mapper. For beste resultat, bruk metadata for \u00e5 sette innholdstype for mapper.", + "HeaderEpisodes": "Episoder", "HeaderSeasons": "Sesonger", "HeaderTracks": "Spor", "HeaderItems": "Elementer", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full anmeldelse", "ValueAsRole": "som {0}", "ValueGuestStar": "Gjesteartist", - "HeaderInviteGuest": "Inviter gjest", "MediaInfoSize": "St\u00f8rrelse", "MediaInfoPath": "Sti", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Kontainer", "MediaInfoDefault": "Standard", "MediaInfoForced": "Tvunget", - "HeaderSettings": "Innstillinger", "MediaInfoExternal": "Ekstern", - "OptionAutomaticallySyncNewContent": "Automatisk synkroniser nytt innhold", "MediaInfoTimestamp": "Tidstempel", - "OptionAutomaticallySyncNewContentHelp": "Nytt innhold lagt til i denne kategorien vil bli automatisk synkronisert til enheten.", "MediaInfoPixelFormat": "Pikselformat", - "OptionSyncUnwatchedVideosOnly": "Synkroniser kun usette videoer", "MediaInfoBitDepth": "Bitdybde", - "OptionSyncUnwatchedVideosOnlyHelp": "Kun usette videoer blir synkronisert, og videoer blir fjernet fra enheten s\u00e5 snart de er sett.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Synk", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Kanaler", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Spr\u00e5k", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Kodek", "MediaInfoProfile": "Profil", "MediaInfoLevel": "Niv\u00e5", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Sideforhold", "MediaInfoResolution": "Oppl\u00f8sning", "MediaInfoAnamorphic": "Anamorfisk", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Linjeflettet", "MediaInfoFramerate": "Bildefrekvens", "MediaInfoStreamTypeAudio": "Lyd", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Undertekst", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Innebygd bilde", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Spill av", + "TabNotifications": "Varslinger", + "TabExpert": "Ekspert", + "HeaderSelectCustomIntrosPath": "Velg tilpasset intro sti", + "HeaderRateAndReview": "Ranger og anmeld", + "HeaderThankYou": "Takk", + "MessageThankYouForYourReview": "Takk for din anmeldelse.", + "LabelYourRating": "Din vurdering:", + "LabelFullReview": "Full anmeldelse:", + "LabelShortRatingDescription": "Kort sammendrag av vurdering:", + "OptionIRecommendThisItem": "Jeg anbefaler dette elementet", + "WebClientTourContent": "Vis dine nylig tilf\u00f8yde medier, neste episodene og mer. De gr\u00f8nne sirklene viser hvor mange uspilte elementer du har.", + "WebClientTourMovies": "Spill av filmer, trailere og mer fra hvilken som helst enhet med en nettleser", + "WebClientTourMouseOver": "Hold the mouse over any poster for quick access to important information", + "WebClientTourTapHold": "Trykk og hold eller h\u00f8yreklikk hvilken som helst plakat for en hurtigmeny", + "WebClientTourMetadataManager": "Klikk rediger for \u00e5 \u00e5pne metadata behandleren", + "WebClientTourPlaylists": "Du kan enkelt lage spillelister og direktemikser, og spille dem p\u00e5 hvilken som helst enhet", + "WebClientTourCollections": "Lag dine egne samlebokser", + "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", + "WebClientTourUserPreferences3": "Utform startsiden slik du \u00f8nsker den.", + "WebClientTourUserPreferences4": "Konfigurer bakgrunner, temasanger og eksterne avspillere", + "WebClientTourMobile1": "Webklienten fungerer bra p\u00e5 smarttelefoner og nettbrett ...", + "WebClientTourMobile2": "and easily controls other devices and Emby apps", + "WebClientTourMySync": "Synkronis\u00e9r dine personlige mediefiler til dine enheter for offline bruk.", + "MessageEnjoyYourStay": "Nyt oppholdet", + "DashboardTourDashboard": "Server dashboard lar deg overv\u00e5ke serveren og brukerene. Du kan til enhver tid se hvem som gj\u00f8r hva, og hvor de er.", + "DashboardTourHelp": "Applikasjonens hjelpesystem har knapper som gir enkel tilgang til relevant dokumentasjon fra wikien.", + "DashboardTourUsers": "Opprett bruker kontoer enkelt for dine venner og familie, hver med deres egne rettigheter, bibliotek tillgang, foreldre kontroll og mere til.", + "DashboardTourCinemaMode": "Kino-modus bringer kinoopplevelsen direkte til din stue med muligheten til \u00e5 spille trailere og tilpassede introer f\u00f8r filmen begynner.", + "DashboardTourChapters": "Aktiver generering av kapittel bilder for dine videoer for en mer behagelig presentasjon mens du ser p\u00e5.", + "DashboardTourSubtitles": "Last ned undertekster automatisk for dine videoer p\u00e5 alle spr\u00e5k.", + "DashboardTourPlugins": "Installer programtillegg som internett video kanaler, direkte tv, metadata eskanners, og mere til.", + "DashboardTourNotifications": "Send meldinger automatisk for server handlinger til dine mobile enheter, epost, etc.", + "DashboardTourScheduledTasks": "Administrer enkelt operasjoner som kan ta lang tid med oppgaveplanlegging. Bestem n\u00e5r de kj\u00f8rer og hvor ofte.", + "DashboardTourMobile": "The Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Synkroniser personlige mediafiler til din enhet for \u00e5 se p\u00e5 offline.", + "MessageRefreshQueued": "Oppfrisk k\u00f8en", + "TabDevices": "Enheter", + "TabExtras": "Ekstra", + "DeviceLastUsedByUserName": "Sist brukt av {0}", + "HeaderDeleteDevice": "Slett Enhet", + "DeleteDeviceConfirmation": "Er du sikker p\u00e5 at du vil slette denne enheten? Den vil gjenoppst\u00e5 neste gang en bruker logger inn med den.", + "LabelEnableCameraUploadFor": "Aktiver kameraopplasting for:", + "HeaderSelectUploadPath": "Velg Opplastings sti", + "LabelEnableCameraUploadForHelp": "Uploads will occur automatically in the background when signed into Emby.", + "ErrorMessageStartHourGreaterThanEnd": "Sluttid m\u00e5 v\u00e6re senere enn starttid.", + "ButtonLibraryAccess": "Bibliotektilgang", + "ButtonParentalControl": "Foreldrekontroll", + "HeaderInvitationSent": "Invitasjon Sendt", + "MessageInvitationSentToUser": "En epost har blitt sent til {0} med oppfordring til \u00e5 godta invitasjonen din.", + "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", + "HeaderConnectionFailure": "Tilkobling feilet", + "MessageUnableToConnectToServer": "Vi kan ikke kontakte angitt server akkurat n\u00e5. Sjekk at den er startet og pr\u00f8v igjen.", "ButtonSelectServer": "Velg server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "Logg inn p\u00e5 din lokale server direkte for \u00e5 konfigurere dette programtillegget.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Tilgangen er forel\u00f8pig begrenset. Vennligst pr\u00f8v igjen senere.", - "EmbyIntroDownloadMessage": "For \u00e5 laste ned og installere Emby Server bes\u00f8k {0}.", - "LabelProfile": "Profil:", + "DefaultErrorMessage": "Det skjedde en feil under behandling av foresp\u00f8rselen. Vennligst pr\u00f8v igjen senere.", + "ButtonAccept": "Godta", + "ButtonReject": "Avvis", + "HeaderForgotPassword": "Glemt passord", + "MessageContactAdminToResetPassword": "Vennligst kontakte administrator for hjelp til \u00e5 resette passordet ditt.", + "MessageForgotPasswordInNetworkRequired": "Vennligst pr\u00f8v igjen fra hjemmenettet ditt for \u00e5 starte prosessen med \u00e5 gjenopprette passordet ditt.", + "MessageForgotPasswordFileCreated": "F\u00f8lgende fil er opprettet p\u00e5 serveren og inneholder instruksjoner om hvordan du kan fortsette:", + "MessageForgotPasswordFileExpiration": "PIN-koden for gjenoppretting er gyldig til {0}.", + "MessageInvalidForgotPasswordPin": "Ugyldig eller utg\u00e5tt PIN kode angitt. Vennligst pr\u00f8v igjen.", + "MessagePasswordResetForUsers": "Passordet er fjernet for f\u00f8lgende brukere:", + "HeaderInviteGuest": "Inviter gjest", + "ButtonLinkMyEmbyAccount": "Link kontoen min n\u00e5", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Synk", "SyncMedia": "Synkroniser media", - "ButtonNewServer": "Ny server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Avbryt synkronisering", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Synk", "MessagePleaseSelectDeviceToSyncTo": "Velg enhet \u00e5 synkronisere til.", - "ButtonSignInWithConnect": "Logg inn med Emby Connect", "MessageSyncJobCreated": "Synkroniseringsjobb p\u00e5begynt.", "LabelSyncTo": "Synkroniser til:", - "LabelLimit": "Grense:", "LabelSyncJobName": "Navn p\u00e5 synkroniseringsjobb:", - "HeaderNewServer": "Ny server", - "ValueLinks": "Lenker: {0}", "LabelQuality": "Kvalitet:", - "MyDevice": "Min(e) enhet(er)", - "DefaultErrorMessage": "Det skjedde en feil under behandling av foresp\u00f8rselen. Vennligst pr\u00f8v igjen senere.", - "ButtonRemote": "Fjernkont.", - "ButtonAccept": "Godta", - "ButtonReject": "Avvis", - "DashboardTourDashboard": "Server dashboard lar deg overv\u00e5ke serveren og brukerene. Du kan til enhver tid se hvem som gj\u00f8r hva, og hvor de er.", - "DashboardTourUsers": "Opprett bruker kontoer enkelt for dine venner og familie, hver med deres egne rettigheter, bibliotek tillgang, foreldre kontroll og mere til.", - "DashboardTourCinemaMode": "Kino-modus bringer kinoopplevelsen direkte til din stue med muligheten til \u00e5 spille trailere og tilpassede introer f\u00f8r filmen begynner.", - "DashboardTourChapters": "Aktiver generering av kapittel bilder for dine videoer for en mer behagelig presentasjon mens du ser p\u00e5.", - "DashboardTourSubtitles": "Last ned undertekster automatisk for dine videoer p\u00e5 alle spr\u00e5k.", - "DashboardTourPlugins": "Installer programtillegg som internett video kanaler, direkte tv, metadata eskanners, og mere til.", - "DashboardTourNotifications": "Send meldinger automatisk for server handlinger til dine mobile enheter, epost, etc.", - "DashboardTourScheduledTasks": "Administrer enkelt operasjoner som kan ta lang tid med oppgaveplanlegging. Bestem n\u00e5r de kj\u00f8rer og hvor ofte.", - "DashboardTourMobile": "The Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episoder", - "HeaderSelectCustomIntrosPath": "Velg tilpasset intro sti", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Innstillinger", + "OptionAutomaticallySyncNewContent": "Automatisk synkroniser nytt innhold", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Synkroniser kun usette videoer", + "OptionSyncUnwatchedVideosOnlyHelp": "Kun usette videoer blir synkronisert, og videoer blir fjernet fra enheten s\u00e5 snart de er sett.", + "LabelItemLimit": "Begrenset antall:", + "LabelItemLimitHelp": "Valgfri. Sett en grense for hvor mange enheter som skal synkroniseres.", + "MessageBookPluginRequired": "Forutsetter at programtillegget bokhylle er installert", + "MessageGamePluginRequired": "Forutsetter at programtillegget GameBrowser er installert", + "MessageUnsetContentHelp": "Innhold vises som enkle mapper. For beste resultat, bruk metadata for \u00e5 sette innholdstype for mapper.", "SyncJobItemStatusQueued": "I k\u00f8", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Konverterer", "SyncJobItemStatusTransferring": "Overf\u00f8rer", "SyncJobItemStatusSynced": "Synkronisert", - "TabSync": "Synk", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Feilet", - "TabPlayback": "Spill av", "SyncJobItemStatusRemovedFromDevice": "Fjernet fra enheten", "SyncJobItemStatusCancelled": "Kansellert", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profil:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "For \u00e5 laste ned og installere Emby Server bes\u00f8k {0}.", + "ButtonNewServer": "Ny server", + "ButtonSignInWithConnect": "Logg inn med Emby Connect", + "HeaderNewServer": "Ny server", + "MyDevice": "Min(e) enhet(er)", + "ButtonRemote": "Fjernkont.", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scener", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Glemt passord", - "MessageContactAdminToResetPassword": "Vennligst kontakte administrator for hjelp til \u00e5 resette passordet ditt.", - "MessageForgotPasswordInNetworkRequired": "Vennligst pr\u00f8v igjen fra hjemmenettet ditt for \u00e5 starte prosessen med \u00e5 gjenopprette passordet ditt.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "F\u00f8lgende fil er opprettet p\u00e5 serveren og inneholder instruksjoner om hvordan du kan fortsette:", - "TabExpert": "Ekspert", - "HeaderInvitationSent": "Invitasjon Sendt", - "MessageForgotPasswordFileExpiration": "PIN-koden for gjenoppretting er gyldig til {0}.", - "MessageInvitationSentToUser": "En epost har blitt sent til {0} med oppfordring til \u00e5 godta invitasjonen din.", - "MessageInvalidForgotPasswordPin": "Ugyldig eller utg\u00e5tt PIN kode angitt. Vennligst pr\u00f8v igjen.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Ekstra", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passordet er fjernet for f\u00f8lgende brukere:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "Vis dine nylig tilf\u00f8yde medier, neste episodene og mer. De gr\u00f8nne sirklene viser hvor mange uspilte elementer du har.", - "HeaderPeople": "Personer", "OptionEnableFullscreen": "Enable Fullscreen", - "WebClientTourMovies": "Spill av filmer, trailere og mer fra hvilken som helst enhet med en nettleser", - "WebClientTourMouseOver": "Hold the mouse over any poster for quick access to important information", - "HeaderRateAndReview": "Ranger og anmeld", - "ErrorMessageStartHourGreaterThanEnd": "Sluttid m\u00e5 v\u00e6re senere enn starttid.", - "WebClientTourTapHold": "Trykk og hold eller h\u00f8yreklikk hvilken som helst plakat for en hurtigmeny", - "HeaderThankYou": "Takk", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Klikk rediger for \u00e5 \u00e5pne metadata behandleren", - "MessageThankYouForYourReview": "Takk for din anmeldelse.", - "WebClientTourPlaylists": "Du kan enkelt lage spillelister og direktemikser, og spille dem p\u00e5 hvilken som helst enhet", - "LabelYourRating": "Din vurdering:", - "WebClientTourCollections": "Lag dine egne samlebokser", - "LabelFullReview": "Full anmeldelse:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Kort sammendrag av vurdering:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "Jeg anbefaler dette elementet", - "ButtonLinkMyEmbyAccount": "Link kontoen min n\u00e5", - "WebClientTourUserPreferences3": "Utform startsiden slik du \u00f8nsker den.", "HeaderLibrary": "Library", - "WebClientTourUserPreferences4": "Konfigurer bakgrunner, temasanger og eksterne avspillere", - "WebClientTourMobile1": "Webklienten fungerer bra p\u00e5 smarttelefoner og nettbrett ...", - "WebClientTourMobile2": "and easily controls other devices and Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Nyt oppholdet" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Avansert", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 06a9f4f39b..f910316fd7 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Instellingen opgeslagen.", + "AddUser": "Gebruiker toevoegen", + "Users": "Gebruikers", + "Delete": "Verwijderen", + "Administrator": "Beheerder", + "Password": "Wachtwoord", + "DeleteImage": "Verwijder afbeelding", + "MessageThankYouForSupporting": "Bedankt voor uw steun aan Emby", + "MessagePleaseSupportProject": "Steun Emby a.u.b.", + "DeleteImageConfirmation": "Weet u zeker dat u deze afbeelding wilt verwijderen?", + "FileReadCancelled": "Bestand lezen is geannuleerd.", + "FileNotFound": "Bestand niet gevonden.", + "FileReadError": "Er is een fout opgetreden bij het lezen van het bestand.", + "DeleteUser": "Verwijder gebruiker", + "DeleteUserConfirmation": "Weet u zeker dat u deze gebruiker wilt verwijderen?", + "PasswordResetHeader": "Reset Wachtwoord", + "PasswordResetComplete": "Het wachtwoord is opnieuw ingesteld.", + "PinCodeResetComplete": "De pincode is gereset.", + "PasswordResetConfirmation": "Weet u zeker dat u het wachtwoord opnieuw in wilt stellen?", + "PinCodeResetConfirmation": "Weet u zeker dat u de pincode wilt resetten?", + "HeaderPinCodeReset": "Reset Pincode", + "PasswordSaved": "Wachtwoord opgeslagen.", + "PasswordMatchError": "Wachtwoord en wachtwoord bevestiging moeten hetzelfde zijn.", + "OptionRelease": "Offici\u00eble Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Instabiel)", + "UninstallPluginHeader": "Plug-in de\u00efnstalleren", + "UninstallPluginConfirmation": "Weet u zeker dat u {0} wilt de\u00efnstalleren?", + "NoPluginConfigurationMessage": "Deze Plug-in heeft niets in te stellen", + "NoPluginsInstalledMessage": "U heeft geen Plug-in ge\u00efnstalleerd", + "BrowsePluginCatalogMessage": "Bekijk de Plug-in catalogus voor beschikbare Plug-ins.", + "MessageKeyEmailedTo": "Sleutel gemaild naar {0}.", + "MessageKeysLinked": "Sleutels gekoppeld.", + "HeaderConfirmation": "Bevestiging", + "MessageKeyUpdated": "Dank u. Uw supporter sleutel is bijgewerkt.", + "MessageKeyRemoved": "Dank u. Uw supporter sleutel is verwijderd.", + "HeaderSupportTheTeam": "Ondersteun het Emby Team", + "TextEnjoyBonusFeatures": "Profiteer van extra mogelijkheden", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Annuleer synchronisatie opdracht", + "TitleSync": "Synchroniseer", + "HeaderSelectDate": "Selecteer Datum", + "ButtonDonate": "Doneren", + "LabelRecurringDonationCanBeCancelledHelp": "Terugkerende donaties kunnen op elk moment stop gezet worden in uw PayPal account.", + "HeaderMyMedia": "Mijn media", + "TitleNotifications": "Meldingen", + "ErrorLaunchingChromecast": "Er is een fout opgetreden bij het starten van chromecast. Zorg ervoor dat uw apparaat is aangesloten op uw draadloze netwerk.", + "MessageErrorLoadingSupporterInfo": "Er is een fout opgetreden bij het laden van uw supporter informatie. Probeer het later opnieuw.", + "MessageLinkYourSupporterKey": "Koppel uw supporters sleutel met maximaal {0} Emby Connect leden om te genieten van gratis toegang tot de volgende apps:", + "HeaderConfirmRemoveUser": "Gebruiker verwijderen", + "MessageSwipeDownOnRemoteControl": "Welkom bij afstandbediening. Selecteer het apparaat dat u wilt bedienen door op het icoon rechtsboven te klikken. Swipe ergens op dit scherm naar beneden om terug te gaan.", + "MessageConfirmRemoveConnectSupporter": "Bent u zeker dat u de extra supporter voordelen van deze gebruiker wilt verwijderen?", + "ValueTimeLimitSingleHour": "Tijdslimiet: 1 uur", + "ValueTimeLimitMultiHour": "Tijdslimiet: {0} uren", + "HeaderUsers": "Gebruikers", + "PluginCategoryGeneral": "Algemeen", + "PluginCategoryContentProvider": "Inhouds Providers", + "PluginCategoryScreenSaver": "Scherm beveiligers", + "PluginCategoryTheme": "Thema's", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Sociale Netwerken", + "PluginCategoryNotifications": "Meldingen", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Kanalen", + "HeaderSearch": "Zoeken", + "ValueDateCreated": "Datum aangemaakt: {0}", + "LabelArtist": "Artiest", + "LabelMovie": "Film", + "LabelMusicVideo": "Muziek Video", + "LabelEpisode": "Aflevering", + "LabelSeries": "Series", + "LabelStopping": "Stoppen", + "LabelCancelled": "(Geannuleerd)", + "LabelFailed": "(mislukt)", + "ButtonHelp": "Hulp", + "ButtonSave": "Opslaan", + "ButtonDownload": "Downloaden", + "SyncJobStatusQueued": "In wachtrij", + "SyncJobStatusConverting": "Converteren", + "SyncJobStatusFailed": "Mislukt", + "SyncJobStatusCancelled": "Afgebroken", + "SyncJobStatusCompleted": "Gesynced", + "SyncJobStatusReadyToTransfer": "Klaar om te Verzenden", + "SyncJobStatusTransferring": "Verzenden", + "SyncJobStatusCompletedWithError": "Gesynchroniseerd met fouten", + "SyncJobItemStatusReadyToTransfer": "Klaar om te Verzenden", + "LabelCollection": "Collectie", + "HeaderAddToCollection": "Toevoegen aan Collectie", + "NewCollectionNameExample": "Voorbeeld: Star Wars Collectie", + "OptionSearchForInternetMetadata": "Zoeken op het internet voor afbeeldingen en metadata", + "LabelSelectCollection": "Selecteer collectie:", + "HeaderDevices": "Apparaten", + "ButtonScheduledTasks": "Geplande taken", + "MessageItemsAdded": "Items toegevoegd", + "ButtonAddToCollection": "Toevoegen aan Collectie", + "HeaderSelectCertificatePath": "Selecteer Certificaat Pad", + "ConfirmMessageScheduledTaskButton": "Deze operatie loopt normaal gesproken automatisch als een geplande taak. Het kan hier ook handmatig worden uitgevoerd. Om de geplande taak te configureren, zie:", + "HeaderSupporterBenefit": "Een supporter lidmaatschap biedt voordelen zoals toegang tot synchronisatie, premium plug-ins, internet kanalen en meer. {0}Meer weten{1}.", + "LabelSyncNoTargetsHelp": "Het lijkt erop dat u momenteel geen apps heeft die synchroniseren ondersteunen.", + "HeaderWelcomeToProjectServerDashboard": "Welkom bij het Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welkom bij Emby", + "ButtonTakeTheTour": "Volg de tour", + "HeaderWelcomeBack": "Welkom terug!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Volg de tour om te zien wat nieuw is", + "MessageNoSyncJobsFound": "Geen sync opdrachten gevonden. Maak sync opdrachten via de Synchronisatie knoppen in de web interface.", + "ButtonPlayTrailer": "Trailer afspelen", + "HeaderLibraryAccess": "Bibliotheek toegang", + "HeaderChannelAccess": "Kanaal toegang", + "HeaderDeviceAccess": "Apparaat Toegang", + "HeaderSelectDevices": "Selecteer Apparaten", + "ButtonCancelItem": "Annuleren item", + "ButtonQueueForRetry": "Wachtrij voor opnieuw proberen", + "ButtonReenable": "Opnieuw inschakelen", + "ButtonLearnMore": "Meer informatie", + "SyncJobItemStatusSyncedMarkForRemoval": "Gemarkeerd voor verwijdering", + "LabelAbortedByServerShutdown": "(Afgebroken door afsluiten van de server)", + "LabelScheduledTaskLastRan": "Laatste keer {0}, duur {1}.", + "HeaderDeleteTaskTrigger": "Verwijderen Taak Trigger", "HeaderTaskTriggers": "Taak Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Herstart", "MessageDeleteTaskTrigger": "Weet u zeker dat u deze taak trigger wilt verwijderen?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Voorbeeld: Star Wars Collectie", "MessageNoPluginsInstalled": "U heeft geen Plug-ins ge\u00efnstalleerd.", - "MessageConfirmResetTuner": "Weet u zeker dat u deze tuner wilt resetten? Alle actieve spelers of opnamen zullen direct worden gestaakt.", - "OptionSearchForInternetMetadata": "Zoeken op het internet voor afbeeldingen en metadata", - "ButtonUpdateNow": "Nu bijwerken", "LabelVersionInstalled": "{0} ge\u00efnstalleerd", - "ButtonCancelSeries": "Annuleren Series", "LabelNumberReviews": "{0} Recensies", - "LabelAllChannels": "Alle kanalen", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Serie Opnames", + "HeaderPlaybackError": "Afspeel Fout", + "MessagePlaybackErrorNotAllowed": "U bent niet bevoegd om deze content af te spelen. Neem contact op met uw systeembeheerder voor meer informatie.", + "MessagePlaybackErrorNoCompatibleStream": "Geen compatibele streams beschikbaar. Probeer het later opnieuw of neem contact op met de serverbeheerder.", + "MessagePlaybackErrorRateLimitExceeded": "Uw afspeel rate limiet is overschreden. Neem contact op met de beheerder van de server voor details.", + "MessagePlaybackErrorPlaceHolder": "De gekozen content is niet af te spelen vanaf dit apparaat.", "HeaderSelectAudio": "Selecteer Audio", - "LabelAnytime": "Elke keer", "HeaderSelectSubtitles": "Selecteer Ondertitels", - "StatusRecording": "Opname", + "ButtonMarkForRemoval": "Van apparaat verwijderen", + "ButtonUnmarkForRemoval": "Afbreken verwijderen van apparaat", "LabelDefaultStream": "(Standaard)", - "StatusWatching": "Kijken", "LabelForcedStream": "(Geforceerd)", - "StatusRecordingProgram": "Opnemen {0}", "LabelDefaultForcedStream": "(Standaard \/ Georceerd)", - "StatusWatchingProgram": "Kijken naar {0}", "LabelUnknownLanguage": "Onbekende taal", - "ButtonQueue": "Wachtrij", + "MessageConfirmSyncJobItemCancellation": "Bent u zeker dat u dit item wilt annuleren?", + "ButtonMute": "Dempen", "ButtonUnmute": "Dempen opheffen", - "LabelSyncNoTargetsHelp": "Het lijkt erop dat u momenteel geen apps heeft die synchroniseren ondersteunen.", - "HeaderSplitMedia": "Splits Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Volgend Nummer", + "ButtonPause": "Pauze", + "ButtonPlay": "Afspelen", + "ButtonEdit": "Bewerken", + "ButtonQueue": "Wachtrij", "ButtonPlaylist": "Afspeellijst", - "MessageConfirmSplitMedia": "Weet u zeker dat u de media bronnen wilt splitsen in afzonderlijke items?", - "HeaderError": "Fout", + "ButtonPreviousTrack": "Vorig Nummer", "LabelEnabled": "Ingeschakeld", - "HeaderSupporterBenefit": "Een supporter lidmaatschap biedt voordelen zoals toegang tot synchronisatie, premium plug-ins, internet kanalen en meer. {0}Meer weten{1}.", "LabelDisabled": "Uitgeschakeld", - "MessageTheFollowingItemsWillBeGrouped": "De volgende titels worden gegroepeerd in \u00e9\u00e9n item:", "ButtonMoreInformation": "Meer informatie", - "MessageConfirmItemGrouping": "Emby apps zullen automatisch de optimale versie kiezen om afspelen op basis van het apparaat en de prestaties van het netwerk. Weet u zeker dat u door wilt gaan?", "LabelNoUnreadNotifications": "Geen ongelezen meldingen.", "ButtonViewNotifications": "Bekijk meldingen", - "HeaderFavoriteAlbums": "Favoriete Albums", "ButtonMarkTheseRead": "Markeer deze gelezen", - "HeaderLatestChannelMedia": "Nieuwste Kanaal Items", "ButtonClose": "Sluiten", - "ButtonOrganizeFile": "Bestand Organiseren", - "ButtonLearnMore": "Meer informatie", - "TabEpisodes": "Afleveringen", "LabelAllPlaysSentToPlayer": "Alles zal worden verzonden naar de geselecteerde speler.", - "ButtonDeleteFile": "Bestand verwijderen", "MessageInvalidUser": "Foutieve gebruikersnaam of wachtwoord. Probeer opnieuw.", - "HeaderOrganizeFile": "Bestand Organiseren", - "HeaderAudioTracks": "Audio sporen", + "HeaderLoginFailure": "Aanmeld fout", + "HeaderAllRecordings": "Alle Opnames", "RecommendationBecauseYouLike": "Omdat u {0} leuk vond.", - "HeaderDeleteFile": "Bestand verwijderen", - "ButtonAdd": "Toevoegen", - "HeaderSubtitles": "Ondertitels", - "ButtonView": "Weergave", "RecommendationBecauseYouWatched": "Omdat u keek naar {0}", - "StatusSkipped": "Overgeslagen", - "HeaderVideoQuality": "Video Kwaliteit", "RecommendationDirectedBy": "Geregisseerd door {0}", - "StatusFailed": "Mislukt", - "MessageErrorPlayingVideo": "Er ging iets mis bij het afspelen van de video.", "RecommendationStarring": "In de hoofdrollen {0}", - "StatusSuccess": "Succes", - "MessageEnsureOpenTuner": "Wees er a.u.b. zeker van dat er een open tuner beschikbaar is.", "HeaderConfirmRecordingCancellation": "Bevestigen Annulering Opname", - "MessageFileWillBeDeleted": "Het volgende bestand wordt verwijderd:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Weet u zeker dat u deze opname wilt annuleren?", - "MessageSureYouWishToProceed": "Weet u zeker dat u wilt doorgaan?", - "ButtonHelp": "Hulp", - "ButtonReports": "Rapporten", - "HeaderUnrated": "Geen rating", "MessageRecordingCancelled": "Opname geannuleerd.", - "MessageDuplicatesWillBeDeleted": "Daarnaast zullen de volgende dupliaten worden geschrapt:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Uit", + "HeaderConfirmSeriesCancellation": "Bevestigen Series Annulering", + "MessageConfirmSeriesCancellation": "Weet u zeker dat u deze serie wilt annuleren?", + "MessageSeriesCancelled": "Serie geannuleerd.", "HeaderConfirmRecordingDeletion": "Bevestigen Verwijdering Opname", - "MessageFollowingFileWillBeMovedFrom": "Het volgende bestand wordt verplaatst van:", - "HeaderTime": "Tijd", - "HeaderUnknownDate": "Onbekende datum", - "OptionOn": "Aan", "MessageConfirmRecordingDeletion": "Weet u zeker dat u deze opname wilt verwijderen?", - "MessageDestinationTo": "naar:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Onbekend jaar", - "OptionRelease": "Offici\u00eble Release", "MessageRecordingDeleted": "Opname gewist.", - "HeaderSelectWatchFolder": "Selecteer Bewaakte Map", - "HeaderAlbumArtist": "Album Artiest", - "HeaderMyViews": "Mijn Overzichten", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Annuleren Opname", - "HeaderSelectWatchFolderHelp": "Blader of voer het pad in naar uw bewaakte map. De map moet beschrijfbaar zijn.", - "HeaderArtist": "Artiest", - "OptionDev": "Dev (Instabiel)", "MessageRecordingSaved": "Opname opgeslagen.", - "OrganizePatternResult": "Resultaat: {0}", - "HeaderLatestTvRecordings": "Nieuwste opnames", - "UninstallPluginHeader": "Plug-in de\u00efnstalleren", - "ButtonMute": "Dempen", - "HeaderRestart": "Herstart", - "UninstallPluginConfirmation": "Weet u zeker dat u {0} wilt de\u00efnstalleren?", - "HeaderShutdown": "Afsluiten", - "NoPluginConfigurationMessage": "Deze Plug-in heeft niets in te stellen", - "MessageConfirmRestart": "Weet u zeker dat u Emby Server wilt herstarten?", - "MessageConfirmRevokeApiKey": "Weet u zeker dat u deze api key in wilt trekken? De verbinding met Emby Server zal direct verbroken worden.", - "NoPluginsInstalledMessage": "U heeft geen Plug-in ge\u00efnstalleerd", - "MessageConfirmShutdown": "Weet u zeker dat u Emby Server wilt afsluiten?", - "HeaderConfirmRevokeApiKey": "Intrekken Api Sleutel", - "BrowsePluginCatalogMessage": "Bekijk de Plug-in catalogus voor beschikbare Plug-ins.", - "NewVersionOfSomethingAvailable": "Er is een nieuwe versie van {0} beschikbaar!", - "VersionXIsAvailableForDownload": "Versie {0} is nu beschikbaar voor download.", - "TextEnjoyBonusFeatures": "Profiteer van extra mogelijkheden", - "ButtonHome": "Start", + "OptionSunday": "Zondag", + "OptionMonday": "Maandag", + "OptionTuesday": "Dinsdag", + "OptionWednesday": "Woensdag", + "OptionThursday": "Donderdag", + "OptionFriday": "Vrijdag", + "OptionSaturday": "Zaterdag", + "OptionEveryday": "Elke dag", "OptionWeekend": "Weekenden", - "ButtonSettings": "Instellingen", "OptionWeekday": "Weekdagen", - "OptionEveryday": "Elke dag", - "HeaderMediaFolders": "Media Mappen", - "ValueDateCreated": "Datum aangemaakt: {0}", - "MessageItemsAdded": "Items toegevoegd", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Meldingen", - "HeaderSelectPlayer": "Selecteer Speler:", - "ButtonAddToCollection": "Voeg toe aan collectie", - "HeaderSelectCertificatePath": "Selecteer Certificaat Pad", - "LabelBirthDate": "Geboortedatum:", - "HeaderSelectPath": "Selecteer Pad", - "ButtonPlayTrailer": "Trailer afspelen", - "HeaderLibraryAccess": "Bibliotheek toegang", - "HeaderChannelAccess": "Kanaal toegang", - "MessageChromecastConnectionError": "Uw Chromecast ontvanger kan niet met uw Emby Server verbinden. Controleer de verbindingen en probeer het opnieuw.", - "TitleNotifications": "Meldingen", - "MessageChangeRecurringPlanConfirm": "Na het voltooien van deze transactie zult u de eerdere terugkerende donatie in uw PayPal account moeten annuleren. Bedankt voor de ondersteuning aan Emby.", - "MessageSupporterMembershipExpiredOn": "Uw supporter lidmaatschap is verlopen op {0}", - "MessageYouHaveALifetimeMembership": "U hebt een levenslang supporter lidmaatschap. U kunt eenmalige en terugkerende donaties doen met onderstaande opties. Bedankt voor de ondersteuning aan Emby.", - "SyncJobStatusConverting": "Converteren", - "MessageYouHaveAnActiveRecurringMembership": "U hebt een actief {0} lidmaatschap. U kunt met de opties hieronder uw lidmaatschap upgraden.", - "SyncJobStatusFailed": "Mislukt", - "SyncJobStatusCancelled": "Afgebroken", - "SyncJobStatusTransferring": "Verzenden", - "FolderTypeUnset": "Niet ingesteld (gemixte inhoud)", - "LabelChapterDownloaders": "Hoofdstuk downloaders:", - "LabelChapterDownloadersHelp": "Schakel rangschikking van uw favoriete hoofdstuk downloaders in, in volgorde van prioriteit. Lagere prioriteit downloaders zullen enkel gebruikt worden om de ontbrekende gegevens in te vullen.", - "HeaderUsers": "Gebruikers", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "Voor het beste resultaat met Internet Explorer installeert u de WebM plugin.", + "HeaderConfirmDeletion": "Bevestigen Verwijdering", + "MessageConfirmPathSubstitutionDeletion": "Weet u zeker dat u dit pad vervanging wilt verwijderen?", + "LiveTvUpdateAvailable": "(Update beschikbaar)", + "LabelVersionUpToDate": "Up to date!", + "ButtonResetTuner": "Reset tuner", + "HeaderResetTuner": "Reset Tuner", + "MessageConfirmResetTuner": "Weet u zeker dat u deze tuner wilt resetten? Alle actieve spelers of opnamen zullen direct worden gestaakt.", + "ButtonCancelSeries": "Annuleren Series", + "HeaderSeriesRecordings": "Serie Opnames", + "LabelAnytime": "Elke keer", + "StatusRecording": "Opname", + "StatusWatching": "Kijken", + "StatusRecordingProgram": "Opnemen {0}", + "StatusWatchingProgram": "Kijken naar {0}", + "HeaderSplitMedia": "Splits Media Apart", + "MessageConfirmSplitMedia": "Weet u zeker dat u de media bronnen wilt splitsen in afzonderlijke items?", + "HeaderError": "Fout", + "MessageChromecastConnectionError": "Uw Chromecast ontvanger kan niet met uw Emby Server verbinden. Controleer de verbindingen en probeer het opnieuw.", + "MessagePleaseSelectOneItem": "Selecteer ten minste een item.", + "MessagePleaseSelectTwoItems": "Selecteer ten minste twee items.", + "MessageTheFollowingItemsWillBeGrouped": "De volgende titels worden gegroepeerd in \u00e9\u00e9n item:", + "MessageConfirmItemGrouping": "Emby apps zullen automatisch de optimale versie kiezen om afspelen op basis van het apparaat en de prestaties van het netwerk. Weet u zeker dat u door wilt gaan?", "HeaderResume": "Hervatten", - "HeaderVideoError": "Video Fout", + "HeaderMyViews": "Mijn Overzichten", + "HeaderLibraryFolders": "Media Mappen", + "HeaderLatestMedia": "Nieuw in bibliotheek", + "ButtonMoreItems": "Meer...", + "ButtonMore": "Meer", + "HeaderFavoriteMovies": "Favoriete Films", + "HeaderFavoriteShows": "Favoriete Shows", + "HeaderFavoriteEpisodes": "Favoriete Afleveringen", + "HeaderFavoriteGames": "Favoriete Games", + "HeaderRatingsDownloads": "Waardering \/ Downloads", + "HeaderConfirmProfileDeletion": "Bevestigen Profiel Verwijdering", + "MessageConfirmProfileDeletion": "Weet u zeker dat u dit profiel wilt verwijderen?", + "HeaderSelectServerCachePath": "Selecteer Server Cache Pad", + "HeaderSelectTranscodingPath": "Selecteer Tijdelijke Transcodeer Pad", + "HeaderSelectImagesByNamePath": "Selecteer Afbeeldingen op naam Pad", + "HeaderSelectMetadataPath": "Selecteer Metadata Pad", + "HeaderSelectServerCachePathHelp": "Bladeren of voer het pad in om te gebruiken voor server cache-bestanden. De map moet beschrijfbaar zijn.", + "HeaderSelectTranscodingPathHelp": "Bladeren of voer het pad in om te gebruiken voor het transcoderen van tijdelijke bestanden. De map moet beschrijfbaar zijn.", + "HeaderSelectImagesByNamePathHelp": "Bladeren of voer het pad in naar uw Afbeeldingen op naam Map. De map moet beschrijfbaar zijn.", + "HeaderSelectMetadataPathHelp": "Blader of voer het pad in dat u wilt gebruiken om metadata in op te slaan. De map moet beschrijfbaar zijn.", + "HeaderSelectChannelDownloadPath": "Selecteer Kanaal Download Pad", + "HeaderSelectChannelDownloadPathHelp": "Bladeren of voer het pad in om te gebruiken voor het opslaan van kanaal cache-bestanden. De map moet beschrijfbaar zijn.", + "OptionNewCollection": "Nieuw ...", + "ButtonAdd": "Toevoegen", + "ButtonRemove": "Verwijderen", + "LabelChapterDownloaders": "Hoofdstuk downloaders:", + "LabelChapterDownloadersHelp": "Schakel rangschikking van uw favoriete hoofdstuk downloaders in, in volgorde van prioriteit. Lagere prioriteit downloaders zullen enkel gebruikt worden om de ontbrekende gegevens in te vullen.", + "HeaderFavoriteAlbums": "Favoriete Albums", + "HeaderLatestChannelMedia": "Nieuwste Kanaal Items", + "ButtonOrganizeFile": "Bestand Organiseren", + "ButtonDeleteFile": "Bestand verwijderen", + "HeaderOrganizeFile": "Bestand Organiseren", + "HeaderDeleteFile": "Bestand verwijderen", + "StatusSkipped": "Overgeslagen", + "StatusFailed": "Mislukt", + "StatusSuccess": "Succes", + "MessageFileWillBeDeleted": "Het volgende bestand wordt verwijderd:", + "MessageSureYouWishToProceed": "Weet u zeker dat u wilt doorgaan?", + "MessageDuplicatesWillBeDeleted": "Daarnaast zullen de volgende dupliaten worden geschrapt:", + "MessageFollowingFileWillBeMovedFrom": "Het volgende bestand wordt verplaatst van:", + "MessageDestinationTo": "naar:", + "HeaderSelectWatchFolder": "Selecteer Bewaakte Map", + "HeaderSelectWatchFolderHelp": "Blader of voer het pad in naar uw bewaakte map. De map moet beschrijfbaar zijn.", + "OrganizePatternResult": "Resultaat: {0}", + "HeaderRestart": "Herstart", + "HeaderShutdown": "Afsluiten", + "MessageConfirmRestart": "Weet u zeker dat u Emby Server wilt herstarten?", + "MessageConfirmShutdown": "Weet u zeker dat u Emby Server wilt afsluiten?", + "ButtonUpdateNow": "Nu bijwerken", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "NewVersionOfSomethingAvailable": "Er is een nieuwe versie van {0} beschikbaar!", + "VersionXIsAvailableForDownload": "Versie {0} is nu beschikbaar voor download.", + "LabelVersionNumber": "Versie {0}", + "LabelPlayMethodTranscoding": "Transcoderen", + "LabelPlayMethodDirectStream": "Direct Streamen", + "LabelPlayMethodDirectPlay": "Direct Afspelen", + "LabelEpisodeNumber": "Afleveringsnummer:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Lokale toegang: {0}", + "LabelRemoteAccessUrl": "Toegang op afstand: {0}", + "LabelRunningOnPort": "Draait op http poort {0}.", + "LabelRunningOnPorts": "Draait op http poort {0} en https poort {1}.", + "HeaderLatestFromChannel": "Laatste van {0}", + "LabelUnknownLanaguage": "Onbekende taal", + "HeaderCurrentSubtitles": "Huidige Ondertitels", + "MessageDownloadQueued": "De download is in de wachtrij geplaatst.", + "MessageAreYouSureDeleteSubtitles": "Weet u zeker dat u dit ondertitelbestand wilt verwijderen?", "ButtonRemoteControl": "Beheer op afstand", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "U bent geregistreerd voor deze functie, en zal deze kunnen blijven gebruiken met uw actieve supporter lidmaatschap.", + "HeaderLatestTvRecordings": "Nieuwste opnames", + "ButtonOk": "Ok", + "ButtonCancel": "Annuleren", + "ButtonRefresh": "Vernieuwen", + "LabelCurrentPath": "Huidige pad:", + "HeaderSelectMediaPath": "Selecteer Media Pad", + "HeaderSelectPath": "Selecteer Pad", + "ButtonNetwork": "Netwerk", + "MessageDirectoryPickerInstruction": "Netwerk paden kunnen handmatig worden ingevoerd in het geval de Netwerk knop faalt om uw apparatuur te lokaliseren . Bijvoorbeeld: {0} of {1}.", + "HeaderMenu": "Menu", + "ButtonOpen": "Openen", + "ButtonOpenInNewTab": "Openen in nieuw tabblad", + "ButtonShuffle": "Willekeurig", + "ButtonInstantMix": "Instant mix", + "ButtonResume": "Hervatten", + "HeaderScenes": "Scenes", + "HeaderAudioTracks": "Audio sporen", + "HeaderLibraries": "Bibliotheken", + "HeaderSubtitles": "Ondertitels", + "HeaderVideoQuality": "Video Kwaliteit", + "MessageErrorPlayingVideo": "Er ging iets mis bij het afspelen van de video.", + "MessageEnsureOpenTuner": "Wees er a.u.b. zeker van dat er een open tuner beschikbaar is.", + "ButtonHome": "Start", + "ButtonDashboard": "Dashboard", + "ButtonReports": "Rapporten", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Tijd", + "HeaderName": "Naam", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artiest", + "HeaderArtist": "Artiest", + "LabelAddedOnDate": "Toegevoegd {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Seizoennummer:", + "HeaderChannels": "Kanalen", + "HeaderMediaFolders": "Media Mappen", + "HeaderBlockItemsWithNoRating": "Blokkeer inhoud zonder classificatiegegevens:", + "OptionBlockOthers": "Overigen", + "OptionBlockTvShows": "TV Series", + "OptionBlockTrailers": "Trailers", + "OptionBlockMusic": "Muziek", + "OptionBlockMovies": "Films", + "OptionBlockBooks": "Boeken", + "OptionBlockGames": "Spellen", + "OptionBlockLiveTvPrograms": "Live TV Programma's", + "OptionBlockLiveTvChannels": "Live TV Kanalen", + "OptionBlockChannelContent": "Internet kanaal Inhoud", + "ButtonRevoke": "Herroepen", + "MessageConfirmRevokeApiKey": "Weet u zeker dat u deze api key in wilt trekken? De verbinding met Emby Server zal direct verbroken worden.", + "HeaderConfirmRevokeApiKey": "Intrekken Api Sleutel", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Muziek Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Recente reviews", - "HeaderDevices": "Apparaten", "ValueConditions": "Voorwaarden: {0}", - "HeaderPluginInstallation": "Plugin installatie", "LabelAll": "Alles", - "MessageAlreadyInstalled": "Deze versie is al ge\u00efnstalleerd", "HeaderDeleteImage": "Afbeelding verwijderen", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "Bestand niet gevonden.", - "MessageYouHaveVersionInstalled": "Op dit moment is versie {0} ge\u00efnstalleerd.", "MessageFileReadError": "Er is een fout opgetreden bij het lezen van dit bestand.", - "MessageTrialExpired": "De proef periode voor deze feature is verlopen", "ButtonNextPage": "Volgende pagina", - "OptionWatched": "Gezien", - "MessageTrialWillExpireIn": "De proef periode voor deze feature zal in {0} dag(en) verlopen", "ButtonPreviousPage": "Vorige Pagina", - "OptionUnwatched": "Ongezien", - "MessageInstallPluginFromApp": "Deze plugin moet ge\u00efnstalleerd worden vanuit de app waarin u het wilt gebruiken.", - "OptionRuntime": "Speelduur", - "HeaderMyMedia": "Mijn media", "ButtonMoveLeft": "Verplaats naar links", - "ExternalPlayerPlaystateOptionsHelp": "Geef aan hoe u deze video de volgende keer wilt hervatten.", - "ValuePriceUSD": "Prijs {0} (USD)", "OptionReleaseDate": "Uitgave datum", "ButtonMoveRight": "Verplaats naar rechts", - "LabelMarkAs": "Markeer als:", "ButtonBrowseOnlineImages": "Blader door online afbeeldingen", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Accepteer a.u.b. de voorwaarden voordat u doorgaat.", - "OptionInProgress": "In uitvoering", "HeaderDeleteItem": "Item verwijderen", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Hervat punt:", "ConfirmDeleteItem": "Verwijderen van dit item zal het verwijderen uit zowel het bestandssysteem als de Media Bibliotheek. Weet u zeker dat u wilt doorgaan?", - "ValueOneMovie": "1 film", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Voer een naam of een externe Id in", - "ValueMovieCount": "{0} films", - "PluginCategoryGeneral": "Algemeen", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "De ingevoerde waarde is niet correct. Probeer het opnieuw.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item opgeslagen.", - "HeaderWelcomeBack": "Welkom terug!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Accepteer a.u.b. de voorwaarden voordat u doorgaat.", + "OptionEnded": "Gestopt", + "OptionContinuing": "Wordt vervolgd...", + "OptionOff": "Uit", + "OptionOn": "Aan", + "ButtonSettings": "Instellingen", + "ButtonUninstall": "Uninstall", "HeaderFields": "Velden", - "ButtonTakeTheTourToSeeWhatsNew": "Volg de tour om te zien wat nieuw is", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Inhouds Providers", "HeaderFieldsHelp": "Schuiven naar 'uit' om het te vergrendelen en om te voorkomen dat het de gegevens worden gewijzigd.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 aflevering", - "LabelRecurringDonationCanBeCancelledHelp": "Terugkerende donaties kunnen op elk moment stop gezet worden in uw PayPal account.", - "ButtonRevoke": "Herroepen", "MissingLocalTrailer": "Lokale trailer ontbreekt.", - "ValueEpisodeCount": "{0} afleveringen", - "PluginCategoryScreenSaver": "Scherm beveiligers", - "ButtonMore": "Meer", "MissingPrimaryImage": "Primaire afbeelding ontbreekt.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favoriete Films", "MissingBackdropImage": "Achtergrondafbeelding ontbreekt.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favoriete Shows", "MissingLogoImage": "Logo ontbreekt.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Thema's", - "HeaderFavoriteEpisodes": "Favoriete Afleveringen", "MissingEpisode": "Ontbrekende aflevering.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favoriete Games", - "MessagePlaybackErrorPlaceHolder": "De gekozen content is niet af te spelen vanaf dit apparaat.", "OptionScreenshots": "Schermopnamen", - "ValueOneSong": "1 nummer", - "HeaderRatingsDownloads": "Waardering \/ Downloads", "OptionBackdrops": "Achtergronden", - "MessageErrorLoadingSupporterInfo": "Er is een fout opgetreden bij het laden van uw supporter informatie. Probeer het later opnieuw.", - "ValueSongCount": "{0} nummers", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Bevestigen Profiel Verwijdering", - "HeaderSelectDate": "Selecteer Datum", - "ValueOneMusicVideo": "1 muziek video", - "MessageConfirmProfileDeletion": "Weet u zeker dat u dit profiel wilt verwijderen?", "OptionImages": "Afbeeldingen", - "ValueMusicVideoCount": "{0} muziek video's", - "HeaderSelectServerCachePath": "Selecteer Server Cache Pad", "OptionKeywords": "Trefwoorden", - "MessageLinkYourSupporterKey": "Koppel uw supporters sleutel met maximaal {0} Emby Connect leden om te genieten van gratis toegang tot de volgende apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Sociale Netwerken", - "HeaderSelectTranscodingPath": "Selecteer Tijdelijke Transcodeer Pad", - "MessageThankYouForSupporting": "Dank u voor uw steun aan Emby", "OptionTags": "Tags", - "HeaderUnaired": "Niet uitgezonden", - "HeaderSelectImagesByNamePath": "Selecteer Afbeeldingen op naam Pad", "OptionStudios": "Studio's", - "HeaderMissing": "Ontbreekt", - "HeaderSelectMetadataPath": "Selecteer Metadata Pad", "OptionName": "Naam", - "HeaderConfirmRemoveUser": "Gebruiker verwijderen", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Meldingen", - "HeaderSelectServerCachePathHelp": "Bladeren of voer het pad in om te gebruiken voor server cache-bestanden. De map moet beschrijfbaar zijn.", - "SyncJobStatusQueued": "In wachtrij", "OptionOverview": "Overzicht", - "TooltipFavorite": "Favoriet", - "HeaderSelectTranscodingPathHelp": "Bladeren of voer het pad in om te gebruiken voor het transcoderen van tijdelijke bestanden. De map moet beschrijfbaar zijn.", - "ButtonCancelItem": "Annuleren item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Geplande taken", - "ValueTimeLimitSingleHour": "Tijdslimiet: 1 uur", - "TooltipLike": "Leuk", - "HeaderSelectImagesByNamePathHelp": "Bladeren of voer het pad in naar uw Afbeeldingen op naam Map. De map moet beschrijfbaar zijn.", - "SyncJobStatusCompleted": "Gesynced", + "OptionParentalRating": "Kijkwijzer classificatie", "OptionPeople": "Personen", - "MessageConfirmRemoveConnectSupporter": "Bent u zeker dat u de extra supporter voordelen van deze gebruiker wilt verwijderen?", - "TooltipDislike": "Niet leuk", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Blader of voer het pad in dat u wilt gebruiken om metadata in op te slaan. De map moet beschrijfbaar zijn.", - "ButtonQueueForRetry": "Wachtrij voor opnieuw proberen", - "SyncJobStatusCompletedWithError": "Gesynchroniseerd met fouten", + "OptionRuntime": "Speelduur", "OptionProductionLocations": "Productie Locaties", - "ButtonDonate": "Doneren", - "TooltipPlayed": "Afgespeeld", "OptionBirthLocation": "Geboorte Locatie", - "ValueTimeLimitMultiHour": "Tijdslimiet: {0} uren", - "ValueSeriesYearToPresent": "{0}-Heden", - "ButtonReenable": "Opnieuw inschakelen", + "LabelAllChannels": "Alle kanalen", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "Deze operatie loopt normaal gesproken automatisch als een geplande taak. Het kan hier ook handmatig worden uitgevoerd. Om de geplande taak te configureren, zie:", - "ValueAwards": "Prijzen: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NIEUW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Gemarkeerd voor verwijdering", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Verander Content Type", - "ButtonQueueAllFromHere": "Plaats in de wachtrij vanaf hier", - "ValuePremiered": "Permiere {0}", - "PluginCategoryChannel": "Kanalen", - "HeaderLibraryFolders": "Media Mappen", - "ButtonMarkForRemoval": "Van apparaat verwijderen", "HeaderChangeFolderTypeHelp": "Als u het type map wilt wijzigen, verwijder het dan en maak dan een nieuwe map met het nieuwe type.", - "ButtonPlayAllFromHere": "Speel allemaal vanaf hier", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Waarschuwing", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Afbreken verwijderen van apparaat", "MessagePleaseRestart": "Herstart om update te voltooien.", - "HeaderIdentify": "Identificeer item", - "ValueStudios": "Studio's: {0}", + "ButtonRestart": "Herstart", "MessagePleaseRefreshPage": "Vernieuw deze pagina om nieuwe updates te ontvangen van de server.", - "PersonTypePerson": "Persoon", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Speciaal - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Bent u zeker dat u dit item wilt annuleren?", "ButtonHide": "Verbergen", - "LabelTitleDisplayOrder": "Titel weergave volgorde:", - "ButtonViewSeriesRecording": "Bekijk serie opnamen", "MessageSettingsSaved": "Instellingen opgeslagen.", - "OptionSortName": "Sorteerbaar", - "ValueOriginalAirDate": "Originele uitzenddatum: {0}", - "HeaderLibraries": "Bibliotheken", "ButtonSignOut": "Afmelden", - "ButtonOk": "Ok", "ButtonMyProfile": "Mijn profiel", - "ButtonCancel": "Annuleren", "ButtonMyPreferences": "Mijn Voorkeuren", - "LabelDiscNumber": "Disc nummer", "MessageBrowserDoesNotSupportWebSockets": "Deze browser ondersteunt geen web sockets. Voor een betere ervaring, probeer een nieuwere browser zoals Chrome, Firefox, IE10 +, Safari (iOS) of Opera.", - "LabelParentNumber": "Bovenliggend nummer", "LabelInstallingPackage": "Installeren van {0}", - "TitleSync": "Synchroniseer", "LabelPackageInstallCompleted": "{0} installatie voltooid.", - "LabelTrackNumber": "Tracknummer:", "LabelPackageInstallFailed": "{0} installatie is mislukt.", - "LabelNumber": "Nummer:", "LabelPackageInstallCancelled": "{0} installatie geannuleerd.", - "LabelReleaseDate": "Uitgave datum:", + "TabServer": "Server", "TabUsers": "Gebruikers", - "LabelEndDate": "Eind datum|", "TabLibrary": "Bibliotheek", - "LabelYear": "Jaar:", + "TabMetadata": "Metagegevens", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Geboortedatum:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Geboorte jaar:", "TabAutoOrganize": "Automatisch-Organiseren", - "LabelDeathDate": "Overlijdens datum:", "TabPlugins": "Plug-ins", - "HeaderRemoveMediaLocation": "Verwijder media locatie", - "HeaderDeviceAccess": "Apparaat Toegang", + "TabAdvanced": "Geavanceerd", "TabHelp": "Hulp", - "MessageConfirmRemoveMediaLocation": "Weet u zeker dat u deze locatie wilt verwijderen?", - "HeaderSelectDevices": "Selecteer Apparaten", "TabScheduledTasks": "Geplande taken", - "HeaderRenameMediaFolder": "Hernoem media map", - "LabelNewName": "Nieuwe naam:", - "HeaderLatestFromChannel": "Laatste van {0}", - "HeaderAddMediaFolder": "Voeg media map toe", - "ButtonQuality": "Kwaliteit", - "HeaderAddMediaFolderHelp": "Naam (Films, Muziek, TV etc):", "ButtonFullscreen": "Volledig scherm", - "HeaderRemoveMediaFolder": "Verwijder media map", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "De volgende media locaties worden uit de bibliotheek verwijderd:", - "ErrorLaunchingChromecast": "Er is een fout opgetreden bij het starten van chromecast. Zorg ervoor dat uw apparaat is aangesloten op uw draadloze netwerk.", - "ButtonSubtitles": "Ondertitels", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Weet u zeker dat u deze media map wilt verwijderen?", - "MessagePleaseSelectOneItem": "Selecteer ten minste een item.", "ButtonAudioTracks": "Geluidsspoor", - "ButtonRename": "Hernoem", - "MessagePleaseSelectTwoItems": "Selecteer ten minste twee items.", - "ButtonPreviousTrack": "Vorig Nummer", - "ButtonChangeType": "Verander soort", - "HeaderSelectChannelDownloadPath": "Selecteer Kanaal Download Pad", - "ButtonNextTrack": "Volgend Nummer", - "HeaderMediaLocations": "Media Locaties", - "HeaderSelectChannelDownloadPathHelp": "Bladeren of voer het pad in om te gebruiken voor het opslaan van kanaal cache-bestanden. De map moet beschrijfbaar zijn.", - "ButtonStop": "Stop", - "OptionNewCollection": "Nieuw ...", - "ButtonPause": "Pauze", - "TabMovies": "Films", - "LabelPathSubstitutionHelp": "Optioneel: Pad vervanging kan server paden naar netwerk locaties verwijzen zodat clients direct kunnen afspelen.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Films", - "LabelCollection": "Collectie", - "FolderTypeMusic": "Muziek", - "FolderTypeAdultVideos": "Adult video's", - "HeaderAddToCollection": "Toevoegen aan Collectie", - "FolderTypePhotos": "Foto's", - "ButtonSubmit": "Uitvoeren", - "FolderTypeMusicVideos": "Muziek video's", - "SettingsSaved": "Instellingen opgeslagen.", - "OptionParentalRating": "Kijkwijzer classificatie", - "FolderTypeHomeVideos": "Thuis video's", - "AddUser": "Gebruiker toevoegen", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Gebruikers", - "ButtonRefresh": "Vernieuwen", - "PinCodeResetComplete": "De pincode is gereset.", - "ButtonOpen": "Openen", - "FolderTypeBooks": "Boeken", - "Delete": "Verwijderen", - "LabelCurrentPath": "Huidige pad:", - "TabAdvanced": "Geavanceerd", - "ButtonOpenInNewTab": "Openen in nieuw tabblad", - "FolderTypeTvShows": "TV", - "Administrator": "Beheerder", - "HeaderSelectMediaPath": "Selecteer Media Pad", - "PinCodeResetConfirmation": "Weet u zeker dat u de pincode wilt resetten?", - "ButtonShuffle": "Willekeurig", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Geboorte plaats: {0})", - "Password": "Wachtwoord", - "ButtonNetwork": "Netwerk", - "OptionContinuing": "Wordt vervolgd...", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Overleden: {0}", - "MessageDirectoryPickerInstruction": "Netwerk paden kunnen handmatig worden ingevoerd in het geval de Netwerk knop faalt om uw apparatuur te lokaliseren . Bijvoorbeeld: {0} of {1}.", - "HeaderPinCodeReset": "Reset Pincode", - "OptionEnded": "Gestopt", - "ButtonResume": "Hervatten", + "ButtonSubtitles": "Ondertitels", + "ButtonScenes": "Scenes", + "ButtonQuality": "Kwaliteit", + "HeaderNotifications": "Meldingen", + "HeaderSelectPlayer": "Selecteer Speler:", + "ButtonSelect": "Selecteer", + "ButtonNew": "Nieuw", + "MessageInternetExplorerWebm": "Voor het beste resultaat met Internet Explorer installeert u de WebM plugin.", + "HeaderVideoError": "Video Fout", "ButtonAddToPlaylist": "Toevoegen aan afspeellijst", - "BirthDateValue": "Geboren: {0}", - "ButtonMoreItems": "Meer...", - "DeleteImage": "Verwijder afbeelding", "HeaderAddToPlaylist": "Toevoegen aan Afspeellijst", - "LabelSelectCollection": "Selecteer collectie:", - "MessageNoSyncJobsFound": "Geen sync opdrachten gevonden. Maak sync opdrachten via de Synchronisatie knoppen in de web interface.", - "ButtonRemoveFromPlaylist": "Verwijderen uit afspeellijst", - "DeleteImageConfirmation": "Weet u zeker dat u deze afbeelding wilt verwijderen?", - "HeaderLoginFailure": "Aanmeld fout", - "OptionSunday": "Zondag", + "LabelName": "Naam:", + "ButtonSubmit": "Uitvoeren", "LabelSelectPlaylist": "Afspeellijst:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "Bestand lezen is geannuleerd.", - "OptionMonday": "Maandag", "OptionNewPlaylist": "Nieuwe afspeellijst...", - "FileNotFound": "Bestand niet gevonden.", - "HeaderPlaybackError": "Afspeel Fout", - "OptionTuesday": "Dinsdag", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Er is een fout opgetreden bij het lezen van het bestand.", - "HeaderName": "Naam", - "OptionWednesday": "Woensdag", + "ButtonView": "Weergave", + "ButtonViewSeriesRecording": "Bekijk serie opnamen", + "ValueOriginalAirDate": "Originele uitzenddatum: {0}", + "ButtonRemoveFromPlaylist": "Verwijderen uit afspeellijst", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "Audio", + "HeaderResolution": "Resolutie", + "HeaderVideo": "Video", + "HeaderRuntime": "Speelduur", + "HeaderCommunityRating": "Gemeenschap cijfer", + "HeaderPasswordReset": "Wachtwoord resetten", + "HeaderParentalRating": "Kijkwijzer classificatie", + "HeaderReleaseDate": "Uitgave datum", + "HeaderDateAdded": "Datum toegevoegd", + "HeaderSeries": "Series", + "HeaderSeason": "Seizoen", + "HeaderSeasonNumber": "Seizoen nummer", + "HeaderNetwork": "Zender", + "HeaderYear": "Jaar", + "HeaderGameSystem": "Spelsysteem", + "HeaderPlayers": "Spelers", + "HeaderEmbeddedImage": "Ingesloten afbeelding", + "HeaderTrack": "Track", + "HeaderDisc": "Schijf", + "OptionMovies": "Films", "OptionCollections": "Collecties", - "DeleteUser": "Verwijder gebruiker", - "OptionThursday": "Donderdag", "OptionSeries": "Series", - "DeleteUserConfirmation": "Weet u zeker dat u deze gebruiker wilt verwijderen?", - "MessagePlaybackErrorNotAllowed": "U bent niet bevoegd om deze content af te spelen. Neem contact op met uw systeembeheerder voor meer informatie.", - "OptionFriday": "Vrijdag", "OptionSeasons": "Seizoenen", - "PasswordResetHeader": "Reset Wachtwoord", - "OptionSaturday": "Zaterdag", + "OptionEpisodes": "Afleveringen", "OptionGames": "Spellen", - "PasswordResetComplete": "Het wachtwoord is opnieuw ingesteld.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Spel Systemen", - "PasswordResetConfirmation": "Weet u zeker dat u het wachtwoord opnieuw in wilt stellen?", - "MessagePlaybackErrorNoCompatibleStream": "Geen compatibele streams beschikbaar. Probeer het later opnieuw of neem contact op met de serverbeheerder.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Muziek artiesten", - "PasswordSaved": "Wachtwoord opgeslagen.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Muziek albums", - "PasswordMatchError": "Wachtwoord en wachtwoord bevestiging moeten hetzelfde zijn.", - "HeaderResolution": "Resolutie", - "LabelFailed": "(mislukt)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Uw afspeel rate limiet is overschreden. Neem contact op met de beheerder van de server voor details.", - "HeaderVideo": "Video", - "ButtonSelect": "Selecteer", - "LabelVersionNumber": "Versie {0}", "OptionSongs": "Nummers ", - "HeaderRuntime": "Speelduur", - "LabelPlayMethodTranscoding": "Transcoderen", "OptionHomeVideos": "Home video's", - "ButtonSave": "Opslaan", - "HeaderCommunityRating": "Gemeenschap cijfer", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streamen", "OptionBooks": "Boeken", - "HeaderParentalRating": "Kijkwijzer classificatie", - "LabelSeasonNumber": "Seizoen nummer:", - "HeaderChannels": "Kanalen", - "LabelPlayMethodDirectPlay": "Direct Afspelen", "OptionAdultVideos": "Erotische video's", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Uitgave datum", - "LabelEpisodeNumber": "Aflevering nummer:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Omhoog", - "LabelUnknownLanaguage": "Onbekende taal", - "HeaderDateAdded": "Datum toegevoegd", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Omlaag", - "HeaderCurrentSubtitles": "Huidige Ondertitels", - "ButtonPlayExternalPlayer": "Speel in externe speler", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Serie", - "LabelRemoteAccessUrl": "Toegang op afstand: {0}", "LabelMetadataReaders": "Metadata lezers:", - "MessageDownloadQueued": "De download is in de wachtrij geplaatst.", - "HeaderSelectExternalPlayer": "Selecteer externe speler", - "HeaderSeason": "Seizoen", - "HeaderSupportTheTeam": "Ondersteun het Emby Team", - "LabelRunningOnPort": "Draait op http poort {0}.", "LabelMetadataReadersHelp": "Rangschik de gewenste lokale metadata bronnen in volgorde van prioriteit. Het eerst gevonden bestand zal worden gelezen.", - "MessageAreYouSureDeleteSubtitles": "Weet u zeker dat u dit ondertitelbestand wilt verwijderen?", - "HeaderExternalPlayerPlayback": "Afspelen met externe speler", - "HeaderSeasonNumber": "Seizoen nummer", - "LabelRunningOnPorts": "Draait op http poort {0} en https poort {1}.", "LabelMetadataDownloaders": "Metadata Downloaders:", - "ButtonImDone": "Ik ben klaar", - "HeaderNetwork": "Zender", "LabelMetadataDownloadersHelp": "Rangschik uw voorkeurs metadata downloader in volgorde van prioriteit. Lagere prioriteit downloaders zullen alleen worden gebruikt om de ontbrekende informatie in te vullen.", - "HeaderLatestMedia": "Nieuw in bibliotheek", - "HeaderYear": "Jaar", "LabelMetadataSavers": "Metadata Opslag:", - "HeaderGameSystem": "Spelsysteem", - "MessagePleaseSupportProject": "Steun Emby a.u.b.", "LabelMetadataSaversHelp": "Kies de bestandsindeling om uw metadata op te slaan.", - "HeaderPlayers": "Spelers", "LabelImageFetchers": "Afbeeldingen Downloaders:", - "HeaderEmbeddedImage": "Ingesloten afbeelding", - "ButtonNew": "Nieuw", "LabelImageFetchersHelp": "Rangschik uw voorkeurs afbeeldingen downloader in volgorde van prioriteit.", - "MessageSwipeDownOnRemoteControl": "Welkom bij afstandbediening. Selecteer het apparaat dat u wilt bedienen door op het icoon rechtsboven te klikken. Swipe ergens op dit scherm naar beneden om terug te gaan.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welkom bij het Emby Server Dashboard", - "TabMetadata": "Metagegevens", - "HeaderDisc": "Schijf", - "HeaderWelcomeToProjectWebClient": "Welkom bij Emby", - "LabelName": "Naam:", - "LabelAddedOnDate": "Toegevoegd {0}", - "ButtonRemove": "Verwijderen", - "ButtonStart": "Start", - "HeaderEmbyAccountAdded": "Emby Account Toegevoegd", - "HeaderBlockItemsWithNoRating": "Blokkeer inhoud zonder classificatiegegevens:", - "LabelLocalAccessUrl": "Lokale toegang: {0}", - "OptionBlockOthers": "Overigen", - "SyncJobStatusReadyToTransfer": "Klaar om te Verzenden", - "OptionBlockTvShows": "TV Series", - "SyncJobItemStatusReadyToTransfer": "Klaar om te Verzenden", - "MessageEmbyAccountAdded": "Het Emby account is aan deze gebruiker toegevoegd.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Muziek", - "OptionBlockMovies": "Films", - "HeaderAllRecordings": "Alle Opnames", - "MessagePendingEmbyAccountAdded": "Het Emby account is aan deze gebruiker toegevoegd.Er wordt een emailbericht naar de eigenaar van het account gestuurd. De uitnodigind moet bevestigd worden door op de link in het emailbericht te klikken.", - "OptionBlockBooks": "Boeken", - "ButtonPlay": "Afspelen", - "OptionBlockGames": "Spellen", - "MessageKeyEmailedTo": "Sleutel gemaild naar {0}.", + "ButtonQueueAllFromHere": "Plaats in de wachtrij vanaf hier", + "ButtonPlayAllFromHere": "Speel allemaal vanaf hier", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "Identificeer item", + "PersonTypePerson": "Persoon", + "LabelTitleDisplayOrder": "Titel weergave volgorde:", + "OptionSortName": "Sorteerbaar", + "LabelDiscNumber": "Disc nummer", + "LabelParentNumber": "Bovenliggend nummer", + "LabelTrackNumber": "Tracknummer:", + "LabelNumber": "Nummer:", + "LabelReleaseDate": "Uitgave datum:", + "LabelEndDate": "Eind datum|", + "LabelYear": "Jaar:", + "LabelDateOfBirth": "Geboortedatum:", + "LabelBirthYear": "Geboorte jaar:", + "LabelBirthDate": "Geboortedatum:", + "LabelDeathDate": "Overlijdens datum:", + "HeaderRemoveMediaLocation": "Verwijder media locatie", + "MessageConfirmRemoveMediaLocation": "Weet u zeker dat u deze locatie wilt verwijderen?", + "HeaderRenameMediaFolder": "Hernoem media map", + "LabelNewName": "Nieuwe naam:", + "HeaderAddMediaFolder": "Voeg media map toe", + "HeaderAddMediaFolderHelp": "Naam (Films, Muziek, TV etc):", + "HeaderRemoveMediaFolder": "Verwijder media map", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "De volgende media locaties worden uit de bibliotheek verwijderd:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Weet u zeker dat u deze media map wilt verwijderen?", + "ButtonRename": "Hernoem", + "ButtonChangeType": "Verander soort", + "HeaderMediaLocations": "Media Locaties", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optioneel: Pad vervanging kan server paden naar netwerk locaties verwijzen zodat clients direct kunnen afspelen.", + "FolderTypeUnset": "Niet ingesteld (gemixte inhoud)", + "FolderTypeMovies": "Films", + "FolderTypeMusic": "Muziek", + "FolderTypeAdultVideos": "Adult video's", + "FolderTypePhotos": "Foto's", + "FolderTypeMusicVideos": "Muziek video's", + "FolderTypeHomeVideos": "Thuis video's", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Boeken", + "FolderTypeTvShows": "TV", + "TabMovies": "Films", + "TabSeries": "Serie", + "TabEpisodes": "Afleveringen", + "TabTrailers": "Trailers", "TabGames": "Games", - "ButtonEdit": "Bewerken", - "OptionBlockLiveTvPrograms": "Live TV Programma's", - "MessageKeysLinked": "Sleutels gekoppeld.", - "HeaderEmbyAccountRemoved": "Emby Account Verwijderd", - "OptionBlockLiveTvChannels": "Live TV Kanalen", - "HeaderConfirmation": "Bevestiging", - "ButtonDelete": "Verwijderen", - "OptionBlockChannelContent": "Internet kanaal Inhoud", - "MessageKeyUpdated": "Dank u. Uw supporter sleutel is bijgewerkt.", - "MessageKeyRemoved": "Dank u. Uw supporter sleutel is verwijderd.", - "OptionMovies": "Films", - "MessageEmbyAccontRemoved": "Het Emby account is verwijderd van deze gebruiker.", - "HeaderSearch": "Zoeken", - "OptionEpisodes": "Afleveringen", - "LabelArtist": "Artiest", - "LabelMovie": "Film", - "HeaderPasswordReset": "Wachtwoord resetten", - "TooltipLinkedToEmbyConnect": "Gekoppeld aan Emby Connect", - "LabelMusicVideo": "Muziek Video", - "LabelEpisode": "Aflevering", - "LabelAbortedByServerShutdown": "(Afgebroken door afsluiten van de server)", - "HeaderConfirmSeriesCancellation": "Bevestigen Series Annulering", - "LabelStopping": "Stoppen", - "MessageConfirmSeriesCancellation": "Weet u zeker dat u deze serie wilt annuleren?", - "LabelCancelled": "(Geannuleerd)", - "MessageSeriesCancelled": "Serie geannuleerd.", - "HeaderConfirmDeletion": "Bevestigen Verwijdering", - "MessageConfirmPathSubstitutionDeletion": "Weet u zeker dat u dit pad vervanging wilt verwijderen?", - "LabelScheduledTaskLastRan": "Laatste keer {0}, duur {1}.", - "LiveTvUpdateAvailable": "(Update beschikbaar)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Verwijderen Taak Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Volg de tour", - "ButtonInbox": "inbox", - "HeaderPlotKeywords": "Trefwoorden plot", - "HeaderTags": "Labels", - "TabCast": "Cast", - "WebClientTourMySync": "Synchroniseer uw persoonlijke media naar uw apparaten om het offline te bekijken.", - "TabScenes": "Scenes", - "DashboardTourSync": "Synchroniseer uw persoonlijke media naar uw apparaten om het offline te bekijken.", - "MessageRefreshQueued": "Vernieuwen wachtrij", - "DashboardTourHelp": "De in-app hulp bevat handige knoppen om wiki pagina's te openen die gaan over de informatie op het scherm.", - "DeviceLastUsedByUserName": "Het laatste gebruikt door {0}", - "HeaderDeleteDevice": "Verwijder apparaat", - "DeleteDeviceConfirmation": "Weet u zeker dat u dit apparaat wilt verwijderen? Het zal opnieuw verschijnen als een gebruiker zich hiermee aanmeldt.", - "LabelEnableCameraUploadFor": "Schakel camera upload in voor:", - "HeaderSelectUploadPath": "Kies upload pad", - "LabelEnableCameraUploadForHelp": "Uploads zullen automatisch op de achtergrond plaatsvinden wanneer bij Emby aangemeld is.", - "ButtonLibraryAccess": "Bibliotheek toegang", - "ButtonParentalControl": "Ouderlijk toezicht", - "TabDevices": "Apparaten", - "LabelItemLimit": "Item limiet:", - "HeaderAdvanced": "Geavanceerd", - "LabelItemLimitHelp": "Optioneel. Een limiet stellen aan het aantal items die zullen worden gesynchroniseerd.", - "MessageBookPluginRequired": "Vereist installatie van de Bookshelf plugin", + "TabAlbums": "Albums", + "TabSongs": "Songs", + "TabMusicVideos": "Muziek Videos", + "BirthPlaceValue": "Geboorte plaats: {0})", + "DeathDateValue": "Overleden: {0}", + "BirthDateValue": "Geboren: {0}", + "HeaderLatestReviews": "Recente reviews", + "HeaderPluginInstallation": "Plugin installatie", + "MessageAlreadyInstalled": "Deze versie is al ge\u00efnstalleerd", + "ValueReviewCount": "{0} Reviews", + "MessageYouHaveVersionInstalled": "Op dit moment is versie {0} ge\u00efnstalleerd.", + "MessageTrialExpired": "De proef periode voor deze feature is verlopen", + "MessageTrialWillExpireIn": "De proef periode voor deze feature zal in {0} dag(en) verlopen", + "MessageInstallPluginFromApp": "Deze plugin moet ge\u00efnstalleerd worden vanuit de app waarin u het wilt gebruiken.", + "ValuePriceUSD": "Prijs {0} (USD)", + "MessageFeatureIncludedWithSupporter": "U bent geregistreerd voor deze functie, en zal deze kunnen blijven gebruiken met uw actieve supporter lidmaatschap.", + "MessageChangeRecurringPlanConfirm": "Na het voltooien van deze transactie zult u de eerdere terugkerende donatie in uw PayPal account moeten annuleren. Bedankt voor de ondersteuning aan Emby.", + "MessageSupporterMembershipExpiredOn": "Uw supporter lidmaatschap is verlopen op {0}", + "MessageYouHaveALifetimeMembership": "U hebt een levenslang supporter lidmaatschap. U kunt eenmalige en terugkerende donaties doen met onderstaande opties. Bedankt voor de ondersteuning aan Emby.", + "MessageYouHaveAnActiveRecurringMembership": "U hebt een actief {0} lidmaatschap. U kunt met de opties hieronder uw lidmaatschap upgraden.", + "ButtonDelete": "Verwijderen", + "HeaderEmbyAccountAdded": "Emby Account Toegevoegd", + "MessageEmbyAccountAdded": "Het Emby account is aan deze gebruiker toegevoegd.", + "MessagePendingEmbyAccountAdded": "Het Emby account is aan deze gebruiker toegevoegd.Er wordt een emailbericht naar de eigenaar van het account gestuurd. De uitnodigind moet bevestigd worden door op de link in het emailbericht te klikken.", + "HeaderEmbyAccountRemoved": "Emby Account Verwijderd", + "MessageEmbyAccontRemoved": "Het Emby account is verwijderd van deze gebruiker.", + "TooltipLinkedToEmbyConnect": "Gekoppeld aan Emby Connect", + "HeaderUnrated": "Geen rating", + "ValueDiscNumber": "Disc {0}", + "HeaderUnknownDate": "Onbekende datum", + "HeaderUnknownYear": "Onbekend jaar", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Speel in externe speler", + "HeaderSelectExternalPlayer": "Selecteer externe speler", + "HeaderExternalPlayerPlayback": "Afspelen met externe speler", + "ButtonImDone": "Ik ben klaar", + "OptionWatched": "Gezien", + "OptionUnwatched": "Ongezien", + "ExternalPlayerPlaystateOptionsHelp": "Geef aan hoe u deze video de volgende keer wilt hervatten.", + "LabelMarkAs": "Markeer als:", + "OptionInProgress": "In uitvoering", + "LabelResumePoint": "Hervat punt:", + "ValueOneMovie": "1 film", + "ValueMovieCount": "{0} films", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailers", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} series", + "ValueOneEpisode": "1 aflevering", + "ValueEpisodeCount": "{0} afleveringen", + "ValueOneGame": "1 game", + "ValueGameCount": "{0} games", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} albums", + "ValueOneSong": "1 nummer", + "ValueSongCount": "{0} nummers", + "ValueOneMusicVideo": "1 muziek video", + "ValueMusicVideoCount": "{0} muziek video's", + "HeaderOffline": "Offline", + "HeaderUnaired": "Niet uitgezonden", + "HeaderMissing": "Ontbreekt", + "ButtonWebsite": "Website", + "TooltipFavorite": "Favoriet", + "TooltipLike": "Leuk", + "TooltipDislike": "Niet leuk", + "TooltipPlayed": "Afgespeeld", + "ValueSeriesYearToPresent": "{0}-Heden", + "ValueAwards": "Prijzen: {0}", + "ValueBudget": "Budget: {0}", + "ValueRevenue": "Revenue: {0}", + "ValuePremiered": "Permiere {0}", + "ValuePremieres": "Premieres {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studio's: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Speciaal - {0}", + "LabelLimit": "Limiet:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "Personen", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Vereist installatie van de GameBrowser plugin", "ValueArtist": "Artiest: {0}", "ValueArtists": "Artiesten: {0}", + "HeaderTags": "Labels", "MediaInfoCameraMake": "Camera merk", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Hoogte", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Lengte graad", "MediaInfoShutterSpeed": "Sluitertijd", "MediaInfoSoftware": "Software", - "TabNotifications": "Meldingen", "HeaderIfYouLikeCheckTheseOut": "Als u {0} leuk vindt, probeer deze dan ook eens...", + "HeaderPlotKeywords": "Trefwoorden plot", "HeaderMovies": "Films", "HeaderAlbums": "Albums", "HeaderGames": "Spellen", - "HeaderConnectionFailure": "Verbindingsfout", "HeaderBooks": "Boeken", - "MessageUnableToConnectToServer": "Het is momenteel niet mogelijk met de geselecteerde server te verbinden. Controleer dat deze draait en probeer het opnieuw.", - "MessageUnsetContentHelp": "Inhoud zal als gewone folders worden getoond. Gebruik voor het beste resultaat de Metadata Manager om de inhoud types voor subfolders in te stellen.", + "HeaderEpisodes": "Afleveringen", "HeaderSeasons": "Seizoenen", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Volledige review", "ValueAsRole": "als {0}", "ValueGuestStar": "Gast ster", - "HeaderInviteGuest": "Nodig gast uit", "MediaInfoSize": "Grootte", "MediaInfoPath": "Pad", - "MessageConnectAccountRequiredToInviteGuest": "Om gasten uit te kunnen nodigen moet u uw Emby account aan deze server koppelen.", "MediaInfoFormat": "Formaat", "MediaInfoContainer": "Container", "MediaInfoDefault": "Standaard", "MediaInfoForced": "Geforceerd", - "HeaderSettings": "Instellingen", "MediaInfoExternal": "Extern", - "OptionAutomaticallySyncNewContent": "Nieuwe inhoud automatisch synchroniseren", "MediaInfoTimestamp": "Tijdstempel", - "OptionAutomaticallySyncNewContentHelp": "Nieuwe inhoud zal automatisch met het apparaat gesynchroniseerd worden.", "MediaInfoPixelFormat": "Pixel formaat", - "OptionSyncUnwatchedVideosOnly": "Synchroniseer alleen onbekeken video's", "MediaInfoBitDepth": "Bitdiepte", - "OptionSyncUnwatchedVideosOnlyHelp": "Alleen onbekeken video's zullen worden gesynchroniseerd en van het apparaat worden verwijderd als ze bekeken zijn.", "MediaInfoSampleRate": "Samplesnelheid", - "ButtonSync": "Synchronisatie", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Kanalen", "MediaInfoLayout": "Opmaak", "MediaInfoLanguage": "Taal", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profiel", "MediaInfoLevel": "Niveau", - "HeaderSaySomethingLike": "Zeg iets zoals...", "MediaInfoAspectRatio": "Beeld verhouding", "MediaInfoResolution": "Resolutie", - "MediaInfoAnamorphic": "Anamorfe", - "ButtonTryAgain": "Opnieuw Proberen", + "MediaInfoAnamorphic": "Anamorf", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Geluid", - "HeaderYouSaid": "U zei...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Ondertiteling", - "MessageWeDidntRecognizeCommand": "Sorry, dat commande herkennen we niet.", "MediaInfoStreamTypeEmbeddedImage": "Ingevoegde afbeelding", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "Als u spraak toegang uitgeschakeld hebt moet u dit opnieuw configureren voordat u verder gaat.", - "MessageNoItemsFound": "Geen items gevonden.", + "TabPlayback": "Afspelen", + "TabNotifications": "Meldingen", + "TabExpert": "Expert", + "HeaderSelectCustomIntrosPath": "Selecteer eigen pad naar intro's", + "HeaderRateAndReview": "Beoordelen", + "HeaderThankYou": "Bedankt", + "MessageThankYouForYourReview": "Bedankt voor de beoordeling", + "LabelYourRating": "Uw beoordeling:", + "LabelFullReview": "Volledige beoordeling:", + "LabelShortRatingDescription": "Korte beoordeling overzicht:", + "OptionIRecommendThisItem": "Ik beveel dit item aan", + "WebClientTourContent": "Bekijk de recent toegevoegde media, volgende afleveringen en meer. De groene cirkels tonen hoeveel niet afgespeelde items er zijn.", + "WebClientTourMovies": "Bekijk films, trailers en meer op elk apparaat met een web browser.", + "WebClientTourMouseOver": "Houd de muis over elke poster voor snelle toegang tot belangrijke informatie", + "WebClientTourTapHold": "Klik en houd vast of rechtsklik op elke poster voor een context menu", + "WebClientTourMetadataManager": "Klik wijzigen om de metadata manager te openen", + "WebClientTourPlaylists": "Maak eenvoudig een afspeellijst en mixlijst, en speel deze op elk apparaat", + "WebClientTourCollections": "Maak film Collecties door boxsets samen te voegen", + "WebClientTourUserPreferences1": "Met gebruikersvoorkeuren kunt u de manier waarop uw bibliotheek getoond wordt in alle Emby apps aanpassen", + "WebClientTourUserPreferences2": "Stel eenmalig uw voorkeuren in voor uw audio- en ondertitelingstaal voor elke Emby app", + "WebClientTourUserPreferences3": "Ontwerp de startpagina van de web client volgens uw wensen", + "WebClientTourUserPreferences4": "Configureer achtergronden, theme songs en externe spelers", + "WebClientTourMobile1": "De web client werk perfect op smartphones en tablets...", + "WebClientTourMobile2": "en bedien eenvoudig uw andere apparaten en Emby apps", + "WebClientTourMySync": "Synchroniseer uw persoonlijke media naar uw apparaten om het offline te bekijken.", + "MessageEnjoyYourStay": "Geniet van uw verblijf", + "DashboardTourDashboard": "Het server-dashboard steld u in staat uw server en uw gebruikers te monitoren . U zult altijd weten wie wat doet en waar ze zijn.", + "DashboardTourHelp": "De in-app hulp bevat handige knoppen om wiki pagina's te openen die gaan over de informatie op het scherm.", + "DashboardTourUsers": "Maak gemakkelijk gebruikersaccounts voor uw vrienden en familie, elk met hun eigen machtigingen, bibliotheek toegang, ouderlijk toezicht en meer.", + "DashboardTourCinemaMode": "Cinema mode brengt de theater ervaring naar uw woonkamer met de mogelijkheid om trailers en eigen intro's voor de film af te spelen.", + "DashboardTourChapters": "Schakel hoofdstuk afbeeldingen genereren in voor uw video's voor een aantrekkelijker presentatie tijdens het kijken.", + "DashboardTourSubtitles": "Download automatisch ondertitels voor uw video's in een andere taal.", + "DashboardTourPlugins": "Installeer plugins zoals Internet videokanalen, live tv, metadata, scanners en meer.", + "DashboardTourNotifications": "Meldingen van de server gebeurtenissen automatisch verzenden naar uw mobiele apparaat, e-mail en meer.", + "DashboardTourScheduledTasks": "Beheer eenvoudig langlopende transacties met geplande taken. Beslis zelf wanneer ze worden uitgevoerd en hoe vaak.", + "DashboardTourMobile": "Het Emby Server dashboard werkt goed op smartphones en tablets. Beheer uw server vanuit uw handpalm, altijd en overal.", + "DashboardTourSync": "Synchroniseer uw persoonlijke media naar uw apparaten om het offline te bekijken.", + "MessageRefreshQueued": "Vernieuwen wachtrij", + "TabDevices": "Apparaten", + "TabExtras": "Extra's", + "DeviceLastUsedByUserName": "Het laatste gebruikt door {0}", + "HeaderDeleteDevice": "Verwijder apparaat", + "DeleteDeviceConfirmation": "Weet u zeker dat u dit apparaat wilt verwijderen? Het zal opnieuw verschijnen als een gebruiker zich hiermee aanmeldt.", + "LabelEnableCameraUploadFor": "Schakel camera upload in voor:", + "HeaderSelectUploadPath": "Kies upload pad", + "LabelEnableCameraUploadForHelp": "Uploads zullen automatisch op de achtergrond plaatsvinden wanneer bij Emby aangemeld is.", + "ErrorMessageStartHourGreaterThanEnd": "Eind tijd moet na de start tijd liggen.", + "ButtonLibraryAccess": "Bibliotheek toegang", + "ButtonParentalControl": "Ouderlijk toezicht", + "HeaderInvitationSent": "Uitnodiging verzonden", + "MessageInvitationSentToUser": "Een email is verzonden naar {0} om uw uitnodiging om media te delen te accepteren.", + "MessageInvitationSentToNewUser": "Een email is verzonden naar {0} met een uitnodiging om aan te melden bij Emby.", + "HeaderConnectionFailure": "Verbindingsfout", + "MessageUnableToConnectToServer": "Het is momenteel niet mogelijk met de geselecteerde server te verbinden. Controleer dat deze draait en probeer het opnieuw.", "ButtonSelectServer": "Server Selecteren", - "ButtonManageServer": "Beheer server", "MessagePluginConfigurationRequiresLocalAccess": "Meld svp. op de lokale server aan om deze plugin te configureren.", - "ButtonPreferences": "Voorkeuren", - "ButtonViewArtist": "Bekijk artiest", - "ButtonViewAlbum": "Bekijk album", "MessageLoggedOutParentalControl": "Toegang is momenteel bepertk, probeer later opnieuw.", - "EmbyIntroDownloadMessage": "Ga naar {0} om Emby Server te downloaden en te installeren.", - "LabelProfile": "profiel:", + "DefaultErrorMessage": "Er is een fout opgetreden. Probeer later opnieuw.", + "ButtonAccept": "Accepteren", + "ButtonReject": "Weigeren", + "HeaderForgotPassword": "Wachtwoord vergeten", + "MessageContactAdminToResetPassword": "Neem contact op met de server beheerder om uw wachtwoord te resetten.", + "MessageForgotPasswordInNetworkRequired": "Probeer de wachtwoord herstel procedure opnieuw vanuit uw thuisnetwerk.", + "MessageForgotPasswordFileCreated": "Het volgende bestand met instructies hoe nu verder te gaan is gemaakt:", + "MessageForgotPasswordFileExpiration": "De herstel pincode verloopt {0}.", + "MessageInvalidForgotPasswordPin": "Er is een ongeldige of verlopen pincode ingegeven. Probeer opnieuw.", + "MessagePasswordResetForUsers": "Wachtwoorden zijn verwijderd van de volgende gebruikers:", + "HeaderInviteGuest": "Nodig gast uit", + "ButtonLinkMyEmbyAccount": "Koppel mijn account nu", + "MessageConnectAccountRequiredToInviteGuest": "Om gasten uit te kunnen nodigen moet u uw Emby account aan deze server koppelen.", + "ButtonSync": "Synchronisatie", "SyncMedia": "Synchroniseer media", - "ButtonNewServer": "Nieuwe server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Annuleer synchronisatie", "CancelSyncJobConfirmation": "Als u de synchroniseertaak annuleert wordt de gesynchroniseerde media bij de volgende synchroniseertaak van het apparaat verwijderd. Weet u zeker dat u door wilt gaan?", + "TabSync": "Synchronisatie", "MessagePleaseSelectDeviceToSyncTo": "Selecteer een apparaat om mee te synchroniseren.", - "ButtonSignInWithConnect": "Aanmelden met Emby Connect", "MessageSyncJobCreated": "Synchronisatie taak gemaakt.", "LabelSyncTo": "Synchroniseer naar:", - "LabelLimit": "Limiet:", "LabelSyncJobName": "Naam synchroniseer taak:", - "HeaderNewServer": "Nieuwe Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Kwaliteit", - "MyDevice": "Mijn apparaat", - "DefaultErrorMessage": "Er is een fout opgetreden. Probeer later opnieuw.", - "ButtonRemote": "Afstandsbediening", - "ButtonAccept": "Accepteren", - "ButtonReject": "Weigeren", - "DashboardTourDashboard": "Het server-dashboard steld u in staat uw server en uw gebruikers te monitoren . U zult altijd weten wie wat doet en waar ze zijn.", - "DashboardTourUsers": "Maak gemakkelijk gebruikersaccounts voor uw vrienden en familie, elk met hun eigen machtigingen, bibliotheek toegang, ouderlijk toezicht en meer.", - "DashboardTourCinemaMode": "Cinema mode brengt de theater ervaring naar uw woonkamer met de mogelijkheid om trailers en eigen intro's voor de film af te spelen.", - "DashboardTourChapters": "Schakel hoofdstuk afbeeldingen genereren in voor uw video's voor een aantrekkelijker presentatie tijdens het kijken.", - "DashboardTourSubtitles": "Download automatisch ondertitels voor uw video's in een andere taal.", - "DashboardTourPlugins": "Installeer plugins zoals Internet videokanalen, live tv, metadata, scanners en meer.", - "DashboardTourNotifications": "Meldingen van de server gebeurtenissen automatisch verzenden naar uw mobiele apparaat, e-mail en meer.", - "DashboardTourScheduledTasks": "Beheer eenvoudig langlopende transacties met geplande taken. Beslis zelf wanneer ze worden uitgevoerd en hoe vaak.", - "DashboardTourMobile": "Het Emby Server dashboard werkt goed op smartphones en tablets. Beheer uw server vanuit uw handpalm, altijd en overal.", - "HeaderEpisodes": "Afleveringen", - "HeaderSelectCustomIntrosPath": "Selecteer eigen pad naar intro's", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Instellingen", + "OptionAutomaticallySyncNewContent": "Nieuwe inhoud automatisch synchroniseren", + "OptionAutomaticallySyncNewContentHelp": "Nieuwe inhoud zal automatisch met het apparaat gesynchroniseerd worden.", + "OptionSyncUnwatchedVideosOnly": "Synchroniseer alleen onbekeken video's", + "OptionSyncUnwatchedVideosOnlyHelp": "Alleen onbekeken video's zullen worden gesynchroniseerd en van het apparaat worden verwijderd als ze bekeken zijn.", + "LabelItemLimit": "Item limiet:", + "LabelItemLimitHelp": "Optioneel. Een limiet stellen aan het aantal items die zullen worden gesynchroniseerd.", + "MessageBookPluginRequired": "Vereist installatie van de Bookshelf plugin", + "MessageGamePluginRequired": "Vereist installatie van de GameBrowser plugin", + "MessageUnsetContentHelp": "Inhoud zal als gewone folders worden getoond. Gebruik voor het beste resultaat de Metadata Manager om de inhoud types voor subfolders in te stellen.", "SyncJobItemStatusQueued": "In wachtrij", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converteren", "SyncJobItemStatusTransferring": "Versturen", "SyncJobItemStatusSynced": "Gesynchroniseerd", - "TabSync": "Synchronisatie", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Mislukt", - "TabPlayback": "Afspelen", "SyncJobItemStatusRemovedFromDevice": "Van apparaat verwijderd", "SyncJobItemStatusCancelled": "Geannuleerd", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "profiel:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "Ga naar {0} om Emby Server te downloaden en te installeren.", + "ButtonNewServer": "Nieuwe server", + "ButtonSignInWithConnect": "Aanmelden met Emby Connect", + "HeaderNewServer": "Nieuwe Server", + "MyDevice": "Mijn apparaat", + "ButtonRemote": "Afstandsbediening", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "App vrijgeven", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Geef alle mogelijkheden van deze app vrij met een enkele kleine aankoop.", "MessageUnlockAppWithPurchaseOrSupporter": "Geef alle mogelijkheden van deze app vrij met een enkele kleine aankoop of door met een actief Emby Supporter Lidmaatschap aan te melden.", "MessageUnlockAppWithSupporter": "Geef alle mogelijkheden van deze app vrij door met een actief Emby Supporter Lidmaatschap aan te melden.", "MessageToValidateSupporter": "Als u een actief Emby Supporter Lidmaatschap hebt, meld de app dan aan op uw eigen wifi netwerk.", "MessagePaymentServicesUnavailable": "Betaal services zijn momenteel niet beschikbaar, Probeer het later svp. nog eens.", "ButtonUnlockWithSupporter": "Meld aan met uw Emby Supporter Lidmaatschap", - "HeaderForgotPassword": "Wachtwoord vergeten", - "MessageContactAdminToResetPassword": "Neem contact op met de server beheerder om uw wachtwoord te resetten.", - "MessageForgotPasswordInNetworkRequired": "Probeer de wachtwoord herstel procedure opnieuw vanuit uw thuisnetwerk.", "MessagePleaseSignInLocalNetwork": "Controleer of u verbonden bent met uw lokale netwerk voordat u verder gaat.", - "MessageForgotPasswordFileCreated": "Het volgende bestand met instructies hoe nu verder te gaan is gemaakt:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Uitnodiging verzonden", - "MessageForgotPasswordFileExpiration": "De herstel pincode verloopt {0}.", - "MessageInvitationSentToUser": "Een email is verzonden naar {0} om uw uitnodiging om media te delen te accepteren.", - "MessageInvalidForgotPasswordPin": "Er is een ongeldige of verlopen pincode ingegeven. Probeer opnieuw.", "ButtonUnlockWithPurchase": "Geef vrij met een aankoop", - "TabExtras": "Extra's", - "MessageInvitationSentToNewUser": "Een email is verzonden naar {0} met een uitnodiging om aan te melden bij Emby.", - "MessagePasswordResetForUsers": "Wachtwoorden zijn verwijderd van de volgende gebruikers:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "De Live TV Gids is momenteel gelimiteerd tot {0} kanalen. Klik op de Geef vrij knop om te zien hoe u deze limiet op kunt heffen.", - "WebClientTourContent": "Bekijk de recent toegevoegde media, volgende afleveringen en meer. De groene cirkels tonen hoeveel niet afgespeelde items er zijn.", - "HeaderPeople": "Personen", "OptionEnableFullscreen": "Schakel volledig scherm in", - "WebClientTourMovies": "Bekijk films, trailers en meer op elk apparaat met een web browser.", - "WebClientTourMouseOver": "Houd de muis over elke poster voor snelle toegang tot belangrijke informatie", - "HeaderRateAndReview": "Beoordelen", - "ErrorMessageStartHourGreaterThanEnd": "Eind tijd moet na de start tijd liggen.", - "WebClientTourTapHold": "Klik en houd vast of rechtsklik op elke poster voor een context menu", - "HeaderThankYou": "Bedankt", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Klik wijzigen om de metadata manager te openen", - "MessageThankYouForYourReview": "Bedankt voor de beoordeling", - "WebClientTourPlaylists": "Maak eenvoudig een afspeellijst en mixlijst, en speel deze op elk apparaat", - "LabelYourRating": "Uw beoordeling:", - "WebClientTourCollections": "Maak film Collecties door boxsets samen te voegen", - "LabelFullReview": "Volledige beoordeling:", "HeaderAdmin": "Beheerder", - "WebClientTourUserPreferences1": "Met gebruikersvoorkeuren kunt u de manier waarop uw bibliotheek getoond wordt in alle Emby apps aanpassen", - "LabelShortRatingDescription": "Korte beoordeling overzicht:", - "WebClientTourUserPreferences2": "Stel eenmalig uw voorkeuren in voor uw audio- en ondertitelingstaal voor elke Emby app", - "OptionIRecommendThisItem": "Ik beveel dit item aan", - "ButtonLinkMyEmbyAccount": "Koppel mijn account nu", - "WebClientTourUserPreferences3": "Ontwerp de startpagina van de web client volgens uw wensen", "HeaderLibrary": "Bibliotheek", - "WebClientTourUserPreferences4": "Configureer achtergronden, theme songs en externe spelers", - "WebClientTourMobile1": "De web client werk perfect op smartphones en tablets...", - "WebClientTourMobile2": "en bedien eenvoudig uw andere apparaten en Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Geniet van uw verblijf" + "ButtonInbox": "inbox", + "HeaderAdvanced": "Geavanceerd", + "HeaderGroupVersions": "Versies Groeperen", + "HeaderSaySomethingLike": "Zeg iets zoals...", + "ButtonTryAgain": "Opnieuw Proberen", + "HeaderYouSaid": "U zei...", + "MessageWeDidntRecognizeCommand": "Sorry, dat commande herkennen we niet.", + "MessageIfYouBlockedVoice": "Als u spraak toegang uitgeschakeld hebt moet u dit opnieuw configureren voordat u verder gaat.", + "MessageNoItemsFound": "Geen items gevonden.", + "ButtonManageServer": "Beheer server", + "ButtonPreferences": "Voorkeuren", + "ButtonViewArtist": "Bekijk artiest", + "ButtonViewAlbum": "Bekijk album", + "ErrorMessagePasswordNotMatchConfirm": "Het wachtwoord en de wachtwoordbevestiging moeten overeenkomen.", + "ErrorMessageUsernameInUse": "Deze gebruikersnaam is al in gebruik. Kies een andere en probeer het opnieuw.", + "ErrorMessageEmailInUse": "Dit emailadres is al in gebruik. Kies een ander en probeer het opnieuw, of gebruik de vergeten wachtwoord functie.", + "MessageThankYouForConnectSignUp": "Bedankt voor het aanmelden bij Emby Connect. Een email met instructies hoe je account bevestigd moet worden wordt verstuurd. Bevestig het account en keer terug om aan te melden.", + "HeaderShare": "Delen", + "ButtonShareHelp": "Deel een webpagina met media-informatie met sociale media. Media-bestanden worden nooit publiekelijk gedeeld.", + "ButtonShare": "Delen", + "HeaderConfirm": "bevestigen" } \ 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 55093653a7..b003230847 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Ustawienia zapisane.", + "AddUser": "Dodaj u\u017cytkownika", + "Users": "U\u017cytkownicy", + "Delete": "Usu\u0144", + "Administrator": "Administrator", + "Password": "Has\u0142o", + "DeleteImage": "Usu\u0144 zdj\u0119cie", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Jeste\u015b pewien \u017ce chcesz usun\u0105\u0107 to zdj\u0119cie?", + "FileReadCancelled": "Odczytywanie pliku zosta\u0142o anulowane.", + "FileNotFound": "Plik nie znaleziony.", + "FileReadError": "Wyst\u0105pi\u0142 b\u0142\u0105d podczas odczytywania pliku.", + "DeleteUser": "Usu\u0144 u\u017cytkownika", + "DeleteUserConfirmation": "Czy na pewno chcesz skasowa\u0107 tego u\u017cytkownika?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "Has\u0142o zosta\u0142o zresetowane.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Jeste\u015b pewien \u017ce chcesz zresetowa\u0107 has\u0142o?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Has\u0142o zapisane.", + "PasswordMatchError": "Has\u0142o i potwierdzenie has\u0142a musz\u0105 si\u0119 zgadza\u0107.", + "OptionRelease": "Oficjalne wydanie", + "OptionBeta": "Beta", + "OptionDev": "Dev (Niestabilne)", + "UninstallPluginHeader": "Usu\u0144 wtyczk\u0119", + "UninstallPluginConfirmation": "Czy na pewno chcesz usun\u0105\u0107 {0}?", + "NoPluginConfigurationMessage": "Ta wtyczka nie ma \u017cadnych ustawie\u0144.", + "NoPluginsInstalledMessage": "Nie masz \u017cadnych wtyczek zainstalowanych.", + "BrowsePluginCatalogMessage": "Przejrzyj nasz katalog wtyczek \u017ceby zobaczy\u0107 dost\u0119pne wtyczki.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "U\u017cytkownicy", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Zapisz", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Odcinki", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Oficjalne wydanie", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Niestabilne)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Usu\u0144 wtyczk\u0119", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Czy na pewno chcesz usun\u0105\u0107 {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Ta wtyczka nie ma \u017cadnych ustawie\u0144.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Nie masz \u017cadnych wtyczek zainstalowanych.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Przejrzyj nasz katalog wtyczek \u017ceby zobaczy\u0107 dost\u0119pne wtyczki.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Niedziela", + "OptionMonday": "Poniedzia\u0142ek", + "OptionTuesday": "Wtorek", + "OptionWednesday": "\u015aroda", + "OptionThursday": "Czwartek", + "OptionFriday": "Pi\u0105tek", + "OptionSaturday": "Sobota", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Wzn\u00f3w", + "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.", - "HeaderUsers": "U\u017cytkownicy", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Wzn\u00f3w", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Utwory", - "TabAlbums": "Albumy", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Anuluj", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Teledyski", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "D\u0142ugo\u015b\u0107 filmu", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Data wydania", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Zako\u0144czony", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Ocena rodzicielska", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "D\u0142ugo\u015b\u0107 filmu", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Anuluj", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Serwer", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Zaawansowane", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Filmy", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Zwiastuny", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Ustawienia zapisane.", - "OptionParentalRating": "Ocena rodzicielska", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Dodaj u\u017cytkownika", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "U\u017cytkownicy", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Usu\u0144", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Zaawansowane", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Has\u0142o", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Zako\u0144czony", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Usu\u0144 zdj\u0119cie", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Jeste\u015b pewien \u017ce chcesz usun\u0105\u0107 to zdj\u0119cie?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Niedziela", + "LabelName": "Imi\u0119:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "Odczytywanie pliku zosta\u0142o anulowane.", - "OptionMonday": "Poniedzia\u0142ek", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Plik nie znaleziony.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Wtorek", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Wyst\u0105pi\u0142 b\u0142\u0105d podczas odczytywania pliku.", - "HeaderName": "Name", - "OptionWednesday": "\u015aroda", + "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", + "HeaderPasswordReset": "Password Reset", + "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": "Filmy", "OptionCollections": "Collections", - "DeleteUser": "Usu\u0144 u\u017cytkownika", - "OptionThursday": "Czwartek", "OptionSeries": "Series", - "DeleteUserConfirmation": "Czy na pewno chcesz skasowa\u0107 tego u\u017cytkownika?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Pi\u0105tek", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Sobota", + "OptionEpisodes": "Odcinki", "OptionGames": "Games", - "PasswordResetComplete": "Has\u0142o zosta\u0142o zresetowane.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Jeste\u015b pewien \u017ce chcesz zresetowa\u0107 has\u0142o?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Has\u0142o zapisane.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Has\u0142o i potwierdzenie has\u0142a musz\u0105 si\u0119 zgadza\u0107.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Zapisz", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Serwer", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Imi\u0119:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmy", + "TabSeries": "Series", + "TabEpisodes": "Odcinki", + "TabTrailers": "Zwiastuny", + "TabGames": "Gry", + "TabAlbums": "Albumy", + "TabSongs": "Utwory", + "TabMusicVideos": "Teledyski", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Gry", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Filmy", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Odcinki", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 3d31e24419..5eb463fe45 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt-BR.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt-BR.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Ajustes salvos.", + "AddUser": "Adicionar Usu\u00e1rio", + "Users": "Usu\u00e1rios", + "Delete": "Excluir", + "Administrator": "Administrador", + "Password": "Senha", + "DeleteImage": "Excluir Imagem", + "MessageThankYouForSupporting": "Obrigado por colaborar com o Emby.", + "MessagePleaseSupportProject": "Por favor, colabore com o Emby.", + "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.", + "DeleteUser": "Excluir Usu\u00e1rio", + "DeleteUserConfirmation": "Deseja realmente excluir este usu\u00e1rio?", + "PasswordResetHeader": "Redefinir Senha", + "PasswordResetComplete": "A senha foi redefinida.", + "PinCodeResetComplete": "O c\u00f3digo pin foi redefinido.", + "PasswordResetConfirmation": "Deseja realmente redefinir a senha?", + "PinCodeResetConfirmation": "Deseja realmente redefinir o c\u00f3digo pin?", + "HeaderPinCodeReset": "Redefinir C\u00f3digo Pin", + "PasswordSaved": "Senha salva.", + "PasswordMatchError": "A senha e a confirma\u00e7\u00e3o da senha devem ser iguais.", + "OptionRelease": "Lan\u00e7amento Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inst\u00e1vel)", + "UninstallPluginHeader": "Desinstalar Plugin", + "UninstallPluginConfirmation": "Deseja realmente desinstalar {0}?", + "NoPluginConfigurationMessage": "Este plugin n\u00e3o precisa ser configurado.", + "NoPluginsInstalledMessage": "N\u00e3o existem plugins instalados.", + "BrowsePluginCatalogMessage": "Explore nosso cat\u00e1logo de plugins para ver os dispon\u00edveis.", + "MessageKeyEmailedTo": "Chave enviada para {0}.", + "MessageKeysLinked": "Chaves unificadas.", + "HeaderConfirmation": "Confirma\u00e7\u00e3o", + "MessageKeyUpdated": "Obrigado. Sua chave de colaborador foi atualizada.", + "MessageKeyRemoved": "Obrigado. Sua chave de colaborador foi removida.", + "HeaderSupportTheTeam": "Colabore com o Time do Emby", + "TextEnjoyBonusFeatures": "Aproveite Funcionalidades Extras", + "TitleLiveTV": "TV ao Vivo", + "ButtonCancelSyncJob": "Cancelar tarefa de sincroniza\u00e7\u00e3o", + "TitleSync": "Sinc", + "HeaderSelectDate": "Selecionar Data", + "ButtonDonate": "Doar", + "LabelRecurringDonationCanBeCancelledHelp": "Doa\u00e7\u00f5es recorrentes podem ser canceladas a qualquer momento dentro da conta do PayPal.", + "HeaderMyMedia": "Minha M\u00eddia", + "TitleNotifications": "Notifica\u00e7\u00f5es", + "ErrorLaunchingChromecast": "Ocorreu um erro ao iniciar o chromecast. Por favor verifique se seu dispositivo est\u00e1 conectado \u00e0 sua rede sem fio.", + "MessageErrorLoadingSupporterInfo": "Ocorreu um erro ao carregar a informa\u00e7\u00e3o do colaborador. Por favor, tente novamente mais tarde.", + "MessageLinkYourSupporterKey": "Associe sua chave de colaborador com at\u00e9 {0} membros do Emby Connect para desfrutar acesso gr\u00e1tis \u00e0s seguintes apps:", + "HeaderConfirmRemoveUser": "Remover Usu\u00e1rio", + "MessageSwipeDownOnRemoteControl": "Bem vindo ao controle remoto. Selecione o dispositivo que deseja controlar clicando no \u00edcone de transmiss\u00e3o no canto superior direito. Deslize para baixo em qualquer lugar da tela para voltar \u00e0 tela anterior.", + "MessageConfirmRemoveConnectSupporter": "Deseja realmente remover os benef\u00edcios adicionais de colaborador deste usu\u00e1rio?", + "ValueTimeLimitSingleHour": "Limite de tempo: 1 hora", + "ValueTimeLimitMultiHour": "Limite de tempo: {0} horas", + "HeaderUsers": "Usu\u00e1rios", + "PluginCategoryGeneral": "Geral", + "PluginCategoryContentProvider": "Provedores de Conte\u00fado", + "PluginCategoryScreenSaver": "Protetores de Tela", + "PluginCategoryTheme": "Temas", + "PluginCategorySync": "Sincroniza\u00e7\u00e3o", + "PluginCategorySocialIntegration": "Redes Sociais", + "PluginCategoryNotifications": "Notifica\u00e7\u00f5es", + "PluginCategoryMetadata": "Metadados", + "PluginCategoryLiveTV": "TV ao Vivo", + "PluginCategoryChannel": "Canais", + "HeaderSearch": "Busca", + "ValueDateCreated": "Data da cria\u00e7\u00e3o: {0}", + "LabelArtist": "Artista", + "LabelMovie": "Filme", + "LabelMusicVideo": "V\u00eddeo Musical", + "LabelEpisode": "Epis\u00f3dio", + "LabelSeries": "S\u00e9rie", + "LabelStopping": "Parando", + "LabelCancelled": "(cancelado)", + "LabelFailed": "(falhou)", + "ButtonHelp": "Ajuda", + "ButtonSave": "Salvar", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Enfileirado", + "SyncJobStatusConverting": "Convertendo", + "SyncJobStatusFailed": "Falhou", + "SyncJobStatusCancelled": "Cancelado", + "SyncJobStatusCompleted": "Sincronizado", + "SyncJobStatusReadyToTransfer": "Pronto para Transferir", + "SyncJobStatusTransferring": "Transferindo", + "SyncJobStatusCompletedWithError": "Sincronizado com erros", + "SyncJobItemStatusReadyToTransfer": "Pronto para Transferir", + "LabelCollection": "Cole\u00e7\u00e3o", + "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", + "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Star Wars", + "OptionSearchForInternetMetadata": "Buscar artwork e metadados na internet", + "LabelSelectCollection": "Selecione cole\u00e7\u00e3o:", + "HeaderDevices": "Dispositivos", + "ButtonScheduledTasks": "Tarefas Agendadas", + "MessageItemsAdded": "Itens adicionados", + "ButtonAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", + "HeaderSelectCertificatePath": "Selecione o Caminho do Certificado", + "ConfirmMessageScheduledTaskButton": "Esta opera\u00e7\u00e3o normalmente \u00e9 executada automaticamente como uma tarefa agendada. Tamb\u00e9m pode ser executada manualmente. Para configurar a tarefa agendada, veja:", + "HeaderSupporterBenefit": "A ades\u00e3o de colaborador fornece benef\u00edcios adicionais como acesso a sincroniza\u00e7\u00e3o, plugins premium, canais de conte\u00fado da internet e mais. {0}Saiba mais{1}.", + "LabelSyncNoTargetsHelp": "Parece que voc\u00ea n\u00e3o possui nenhuma app que suporta sincroniza\u00e7\u00e3o.", + "HeaderWelcomeToProjectServerDashboard": "Bem vindo ao Painel do Servidor Emby", + "HeaderWelcomeToProjectWebClient": "Bem vindo ao Emby", + "ButtonTakeTheTour": "Fa\u00e7a o tour", + "HeaderWelcomeBack": "Bem-vindo novamente!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Fa\u00e7a o tour para ver as novidades", + "MessageNoSyncJobsFound": "Nenhuma tarefa de sincroniza\u00e7\u00e3o encontrada. Crie uma tarefa de sincroniza\u00e7\u00e3o usando os bot\u00f5es Sincroniza\u00e7\u00e3o encontrados na interface web.", + "ButtonPlayTrailer": "Reproduzir trailer", + "HeaderLibraryAccess": "Acesso \u00e0 Biblioteca", + "HeaderChannelAccess": "Acesso ao Canal", + "HeaderDeviceAccess": "Acesso ao Dispositivo", + "HeaderSelectDevices": "Selecionar Dispositivos", + "ButtonCancelItem": "Cancelar item", + "ButtonQueueForRetry": "Enfileirar para tentar novamente", + "ButtonReenable": "Reativar", + "ButtonLearnMore": "Saiba mais", + "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remo\u00e7\u00e3o", + "LabelAbortedByServerShutdown": "(Abortada pelo desligamento do servidor)", + "LabelScheduledTaskLastRan": "\u00daltima execu\u00e7\u00e3o {0}, demorando {1}.", + "HeaderDeleteTaskTrigger": "Excluir Disparador da Tarefa", "HeaderTaskTriggers": "Disparadores de Tarefa", - "ButtonResetTuner": "Reiniciar sintonizador", - "ButtonRestart": "Reiniciar", "MessageDeleteTaskTrigger": "Deseja realmente excluir este disparador de tarefa?", - "HeaderResetTuner": "Reiniciar Sintonizador", - "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Star Wars", "MessageNoPluginsInstalled": "Voc\u00ea n\u00e3o possui plugins instalados.", - "MessageConfirmResetTuner": "Deseja realmente reiniciar este sintonizador? Qualquer reprodutor ativo ser\u00e1 abruptamente parado.", - "OptionSearchForInternetMetadata": "Buscar artwork e metadados na internet", - "ButtonUpdateNow": "Atualizar Agora", "LabelVersionInstalled": "{0} instalado", - "ButtonCancelSeries": "Cancelar S\u00e9rie", "LabelNumberReviews": "{0} Avalia\u00e7\u00f5es", - "LabelAllChannels": "Todos os canais", "LabelFree": "Gr\u00e1tis", - "HeaderSeriesRecordings": "Grava\u00e7\u00f5es de S\u00e9ries", + "HeaderPlaybackError": "Erro na Reprodu\u00e7\u00e3o", + "MessagePlaybackErrorNotAllowed": "Voc\u00ea n\u00e3o est\u00e1 autorizado a reproduzir este conte\u00fado. Por favor, entre em contato com o administrador do sistema para mais detalhes.", + "MessagePlaybackErrorNoCompatibleStream": "N\u00e3o existem streams compat\u00edveis. Por favor, tente novamente mais tarde ou contate o administrador do sistema para mais detalhes.", + "MessagePlaybackErrorRateLimitExceeded": "Seu limite da taxa de reprodu\u00e7\u00e3o foi excedido. Por favor, entre em contato com o administrador do sistema para mais detalhes.", + "MessagePlaybackErrorPlaceHolder": "O conte\u00fado escolhido n\u00e3o \u00e9 reproduz\u00edvel neste dispositivo.", "HeaderSelectAudio": "Selecione \u00c1udio", - "LabelAnytime": "Qualquer hora", "HeaderSelectSubtitles": "Selecione Legendas", - "StatusRecording": "Gravando", + "ButtonMarkForRemoval": "Remover do dispositivo", + "ButtonUnmarkForRemoval": "Cancelar remo\u00e7\u00e3o do dispositivo", "LabelDefaultStream": "(Padr\u00e3o)", - "StatusWatching": "Assistindo", "LabelForcedStream": "(For\u00e7ada)", - "StatusRecordingProgram": "Gravando {0}", "LabelDefaultForcedStream": "(Padr\u00e3o\/For\u00e7ada)", - "StatusWatchingProgram": "Assistindo {0}", "LabelUnknownLanguage": "Idioma desconhecido", - "ButtonQueue": "Adicionar \u00e0 fila", + "MessageConfirmSyncJobItemCancellation": "Deseja realmente cancelar este item?", + "ButtonMute": "Mudo", "ButtonUnmute": "Remover Mudo", - "LabelSyncNoTargetsHelp": "Parece que voc\u00ea n\u00e3o possui nenhuma app que suporta sincroniza\u00e7\u00e3o.", - "HeaderSplitMedia": "Separar M\u00eddia", + "ButtonStop": "Parar", + "ButtonNextTrack": "Faixa Seguinte", + "ButtonPause": "Pausar", + "ButtonPlay": "Reproduzir", + "ButtonEdit": "Editar", + "ButtonQueue": "Adicionar \u00e0 fila", "ButtonPlaylist": "Lista de reprodu\u00e7\u00e3o", - "MessageConfirmSplitMedia": "Deseja realmente dividir as fontes de m\u00eddia em itens separados?", - "HeaderError": "Erro", + "ButtonPreviousTrack": "Faixa Anterior", "LabelEnabled": "Ativada", - "HeaderSupporterBenefit": "A ades\u00e3o de colaborador fornece benef\u00edcios adicionais como acesso a sincroniza\u00e7\u00e3o, plugins premium, canais de conte\u00fado da internet e mais. {0}Saiba mais{1}.", "LabelDisabled": "Desativada", - "MessageTheFollowingItemsWillBeGrouped": "Os seguintes t\u00edtulos ser\u00e3o agrupados em um \u00fanico item:", "ButtonMoreInformation": "Mais informa\u00e7\u00f5es", - "MessageConfirmItemGrouping": "As apps do Emby escolher\u00e3o automaticamente a melhor vers\u00e3o para reprodu\u00e7\u00e3o baseada na performance do dispositivo e da rede. Deseja realmente continuar?", "LabelNoUnreadNotifications": "Nenhuma notifica\u00e7\u00e3o sem ler.", "ButtonViewNotifications": "Ver notifica\u00e7\u00f5es", - "HeaderFavoriteAlbums": "\u00c1lbuns Favoritos", "ButtonMarkTheseRead": "Marcar como lida", - "HeaderLatestChannelMedia": "Itens de Canais Recentes", "ButtonClose": "Fechar", - "ButtonOrganizeFile": "Organizar Arquivo", - "ButtonLearnMore": "Saiba mais", - "TabEpisodes": "Epis\u00f3dios", "LabelAllPlaysSentToPlayer": "Todas as reprodu\u00e7\u00f5es ser\u00e3o enviadas para o reprodutor selecionado.", - "ButtonDeleteFile": "Excluir Arquivo", "MessageInvalidUser": "Nome de usu\u00e1rio ou senha inv\u00e1lidos. Por favor, tente novamente.", - "HeaderOrganizeFile": "Organizar Arquivo", - "HeaderAudioTracks": "Faixas de Audio", + "HeaderLoginFailure": "Falha no Login", + "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", "RecommendationBecauseYouLike": "Porque voc\u00ea gosta de {0}", - "HeaderDeleteFile": "Excluir Arquivo", - "ButtonAdd": "Adicionar", - "HeaderSubtitles": "Legendas", - "ButtonView": "Visualizar", "RecommendationBecauseYouWatched": "Porque voc\u00ea assistiu {0}", - "StatusSkipped": "Ignorada", - "HeaderVideoQuality": "Qualidade do V\u00eddeo", "RecommendationDirectedBy": "Dirigido por {0}", - "StatusFailed": "Com Falha", - "MessageErrorPlayingVideo": "Houve um erro na reprodu\u00e7\u00e3o do v\u00eddeo.", "RecommendationStarring": "Estrelando {0}", - "StatusSuccess": "Sucesso", - "MessageEnsureOpenTuner": "Por favor, cetifique-se que existe um sintonizador aberto.", "HeaderConfirmRecordingCancellation": "Confirmar Cancelamento da Grava\u00e7\u00e3o", - "MessageFileWillBeDeleted": "Ser\u00e1 exclu\u00eddo o seguinte arquivo:", - "ButtonDashboard": "Painel", "MessageConfirmRecordingCancellation": "Deseja realmente cancelar esta grava\u00e7\u00e3o?", - "MessageSureYouWishToProceed": "Deseja realmente prosseguir?", - "ButtonHelp": "Ajuda", - "ButtonReports": "Relat\u00f3rios", - "HeaderUnrated": "N\u00e3o-classificado", "MessageRecordingCancelled": "Grava\u00e7\u00e3o cancelada.", - "MessageDuplicatesWillBeDeleted": "Adicionalmente as seguintes c\u00f3pias ser\u00e3o exclu\u00eddas:", - "ButtonMetadataManager": "Gerenciador de Metadados", - "ValueDiscNumber": "Disco {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirmar Cancelamento da S\u00e9rie", + "MessageConfirmSeriesCancellation": "Deseja realmente cancelar esta s\u00e9rie?", + "MessageSeriesCancelled": "S\u00e9rie cancelada.", "HeaderConfirmRecordingDeletion": "Confirmar Exclus\u00e3o da Grava\u00e7\u00e3o", - "MessageFollowingFileWillBeMovedFrom": "Os seguintes arquivos ser\u00e3o movidos de:", - "HeaderTime": "Tempo", - "HeaderUnknownDate": "Data Desconhecida", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Deseja realmente excluir esta grava\u00e7\u00e3o?", - "MessageDestinationTo": "para:", - "HeaderAlbum": "\u00c1lbum", - "HeaderUnknownYear": "Ano Desconhecido", - "OptionRelease": "Lan\u00e7amento Oficial", "MessageRecordingDeleted": "Grava\u00e7\u00e3o exclu\u00edda.", - "HeaderSelectWatchFolder": "Escolha Pasta para Monitora\u00e7\u00e3o", - "HeaderAlbumArtist": "Artista do \u00c1lbum", - "HeaderMyViews": "Minhas Visualiza\u00e7\u00f5es", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancelar Grava\u00e7\u00e3o", - "HeaderSelectWatchFolderHelp": "Localize ou digite o caminho para a sua pasta de monitora\u00e7\u00e3o. A pasta deve permitir escrita.", - "HeaderArtist": "Artista", - "OptionDev": "Dev (Inst\u00e1vel)", "MessageRecordingSaved": "Grava\u00e7\u00e3o salva.", - "OrganizePatternResult": "Resultado: {0}", - "HeaderLatestTvRecordings": "\u00daltimas Grava\u00e7\u00f5es", - "UninstallPluginHeader": "Desinstalar Plugin", - "ButtonMute": "Mudo", - "HeaderRestart": "Reiniciar", - "UninstallPluginConfirmation": "Deseja realmente desinstalar {0}?", - "HeaderShutdown": "Desligar", - "NoPluginConfigurationMessage": "Este plugin n\u00e3o precisa ser configurado.", - "MessageConfirmRestart": "Deseja realmente reiniciar o Servidor Emby?", - "MessageConfirmRevokeApiKey": "Deseja realmente revogar esta chave de api? A conex\u00e3o da aplica\u00e7\u00e3o com o Servidor Emby ser\u00e1 abruptamente encerrada.", - "NoPluginsInstalledMessage": "N\u00e3o existem plugins instalados.", - "MessageConfirmShutdown": "Deseja realmente desligar o Servidor Emby?", - "HeaderConfirmRevokeApiKey": "Revogar Chave da Api", - "BrowsePluginCatalogMessage": "Explore nosso cat\u00e1logo de plugins para ver os dispon\u00edveis.", - "NewVersionOfSomethingAvailable": "Est\u00e1 dispon\u00edvel uma nova vers\u00e3o de {0}!", - "VersionXIsAvailableForDownload": "A vers\u00e3o {0} est\u00e1 dispon\u00edvel para download.", - "TextEnjoyBonusFeatures": "Aproveite Funcionalidades Extras", - "ButtonHome": "In\u00edcio", + "OptionSunday": "Domingo", + "OptionMonday": "Segunda-feira", + "OptionTuesday": "Ter\u00e7a-feira", + "OptionWednesday": "Quarta-feira", + "OptionThursday": "Quinta-feira", + "OptionFriday": "Sexta-feira", + "OptionSaturday": "S\u00e1bado", + "OptionEveryday": "Todos os dias", "OptionWeekend": "Fins-de-semana", - "ButtonSettings": "Ajustes", "OptionWeekday": "Dias da semana", - "OptionEveryday": "Todos os dias", - "HeaderMediaFolders": "Pastas de M\u00eddia", - "ValueDateCreated": "Data da cria\u00e7\u00e3o: {0}", - "MessageItemsAdded": "Itens adicionados", - "HeaderScenes": "Cenas", - "HeaderNotifications": "Avisos", - "HeaderSelectPlayer": "Selecione onde reproduzir:", - "ButtonAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", - "HeaderSelectCertificatePath": "Selecione o Caminho do Certificado", - "LabelBirthDate": "Data de nascimento:", - "HeaderSelectPath": "Selecione o Caminho", - "ButtonPlayTrailer": "Reproduzir trailer", - "HeaderLibraryAccess": "Acesso \u00e0 Biblioteca", - "HeaderChannelAccess": "Acesso ao Canal", - "MessageChromecastConnectionError": "Seu receptor Chromecast n\u00e3o pode se conectar com seu Servidor Emby. Por favor, verifique suas conex\u00f5es e tente novamente.", - "TitleNotifications": "Notifica\u00e7\u00f5es", - "MessageChangeRecurringPlanConfirm": "Depois de completar esta transa\u00e7\u00e3o voc\u00ea precisar\u00e1 cancelar sua doa\u00e7\u00e3o recorrente anterior dentro da conta do PayPal. Obrigado por colaborar com o Emby.", - "MessageSupporterMembershipExpiredOn": "Sua ades\u00e3o de colaborador expirou em {0}.", - "MessageYouHaveALifetimeMembership": "Voc\u00ea possui uma ades\u00e3o de colaborador vital\u00edcia. Voc\u00ea pode fazer doa\u00e7\u00f5es adicionais individuais ou de forma recorrente, usando as op\u00e7\u00f5es abaixo. Obrigado por colaborar com o Emby.", - "SyncJobStatusConverting": "Convertendo", - "MessageYouHaveAnActiveRecurringMembership": "Voc\u00ea tem uma ades\u00e3o {0} ativa. Voc\u00ea pode atualizar seu plano usando as op\u00e7\u00f5es abaixo.", - "SyncJobStatusFailed": "Falhou", - "SyncJobStatusCancelled": "Cancelado", - "SyncJobStatusTransferring": "Transferindo", - "FolderTypeUnset": "Indefinido (conte\u00fado misto)", + "HeaderConfirmDeletion": "Confirmar Exclus\u00e3o", + "MessageConfirmPathSubstitutionDeletion": "Deseja realmente excluir esta substitui\u00e7\u00e3o de caminho?", + "LiveTvUpdateAvailable": "(Atualiza\u00e7\u00e3o dispon\u00edvel)", + "LabelVersionUpToDate": "Atualizado!", + "ButtonResetTuner": "Reiniciar sintonizador", + "HeaderResetTuner": "Reiniciar Sintonizador", + "MessageConfirmResetTuner": "Deseja realmente reiniciar este sintonizador? Qualquer reprodutor ativo ser\u00e1 abruptamente parado.", + "ButtonCancelSeries": "Cancelar S\u00e9rie", + "HeaderSeriesRecordings": "Grava\u00e7\u00f5es de S\u00e9ries", + "LabelAnytime": "Qualquer hora", + "StatusRecording": "Gravando", + "StatusWatching": "Assistindo", + "StatusRecordingProgram": "Gravando {0}", + "StatusWatchingProgram": "Assistindo {0}", + "HeaderSplitMedia": "Separar M\u00eddia", + "MessageConfirmSplitMedia": "Deseja realmente dividir as fontes de m\u00eddia em itens separados?", + "HeaderError": "Erro", + "MessageChromecastConnectionError": "Seu receptor Chromecast n\u00e3o pode se conectar com seu Servidor Emby. Por favor, verifique suas conex\u00f5es e tente novamente.", + "MessagePleaseSelectOneItem": "Por favor selecione pelo menos um item.", + "MessagePleaseSelectTwoItems": "Por favor selecione pelo menos dois itens.", + "MessageTheFollowingItemsWillBeGrouped": "Os seguintes t\u00edtulos ser\u00e3o agrupados em um \u00fanico item:", + "MessageConfirmItemGrouping": "As apps do Emby escolher\u00e3o automaticamente a melhor vers\u00e3o para reprodu\u00e7\u00e3o baseada na performance do dispositivo e da rede. Deseja realmente continuar?", + "HeaderResume": "Retomar", + "HeaderMyViews": "Minhas Visualiza\u00e7\u00f5es", + "HeaderLibraryFolders": "Pastas de M\u00eddias", + "HeaderLatestMedia": "M\u00eddias Recentes", + "ButtonMoreItems": "Mais...", + "ButtonMore": "Mais", + "HeaderFavoriteMovies": "Filmes Favoritos", + "HeaderFavoriteShows": "S\u00e9ries Favoritas", + "HeaderFavoriteEpisodes": "Epis\u00f3dios Favoritos", + "HeaderFavoriteGames": "Jogos Favoritos", + "HeaderRatingsDownloads": "Avalia\u00e7\u00e3o \/ Downloads", + "HeaderConfirmProfileDeletion": "Confirmar Exclus\u00e3o do Perfil", + "MessageConfirmProfileDeletion": "Deseja realmente excluir este perfil?", + "HeaderSelectServerCachePath": "Selecione o Caminho do Cache do Servidor", + "HeaderSelectTranscodingPath": "Selecione o Caminho Tempor\u00e1rio da Transcodifica\u00e7\u00e3o", + "HeaderSelectImagesByNamePath": "Selecione o Caminho da Images By Name", + "HeaderSelectMetadataPath": "Selecione o Caminho dos Metadados", + "HeaderSelectServerCachePathHelp": "Localize ou digite o caminho para armazenar os arquivos de cache do servidor. A pasta deve permitir grava\u00e7\u00e3o.", + "HeaderSelectTranscodingPathHelp": "Localize ou digite o caminho para usar para arquivos tempor\u00e1rios de transcodifica\u00e7\u00e3o. A pasta deve ser grav\u00e1vel.", + "HeaderSelectImagesByNamePathHelp": "Localize ou digite o caminho de sua pasta de itens por nome. A pasta deve ser grav\u00e1vel.", + "HeaderSelectMetadataPathHelp": "Localize ou digite o caminho que voc\u00ea gostaria de armazenar os metadados. A pasta deve ser grav\u00e1vel.", + "HeaderSelectChannelDownloadPath": "Selecione o Caminho para Download do Canal.", + "HeaderSelectChannelDownloadPathHelp": "Localize ou digite o caminho a ser usado para armazenamento de arquivos de cache do canal. A pasta deve permitir escrita.", + "OptionNewCollection": "Nova...", + "ButtonAdd": "Adicionar", + "ButtonRemove": "Remover", "LabelChapterDownloaders": "Downloaders de cap\u00edtulos:", "LabelChapterDownloadersHelp": "Habilite e classifique seus downloaders de cap\u00edtulos preferidos em ordem de prioridade. Downloaders de menor prioridade s\u00f3 ser\u00e3o usados para preencher informa\u00e7\u00f5es que ainda n\u00e3o existam.", - "HeaderUsers": "Usu\u00e1rios", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "Para melhores resultados com o Internet Explorer, por favor instale o plugin de reprodu\u00e7\u00e3o WebM.", - "HeaderResume": "Retomar", - "HeaderVideoError": "Erro de V\u00eddeo", + "HeaderFavoriteAlbums": "\u00c1lbuns Favoritos", + "HeaderLatestChannelMedia": "Itens de Canais Recentes", + "ButtonOrganizeFile": "Organizar Arquivo", + "ButtonDeleteFile": "Excluir Arquivo", + "HeaderOrganizeFile": "Organizar Arquivo", + "HeaderDeleteFile": "Excluir Arquivo", + "StatusSkipped": "Ignorada", + "StatusFailed": "Com Falha", + "StatusSuccess": "Sucesso", + "MessageFileWillBeDeleted": "Ser\u00e1 exclu\u00eddo o seguinte arquivo:", + "MessageSureYouWishToProceed": "Deseja realmente prosseguir?", + "MessageDuplicatesWillBeDeleted": "Adicionalmente as seguintes c\u00f3pias ser\u00e3o exclu\u00eddas:", + "MessageFollowingFileWillBeMovedFrom": "Os seguintes arquivos ser\u00e3o movidos de:", + "MessageDestinationTo": "para:", + "HeaderSelectWatchFolder": "Escolha Pasta para Monitora\u00e7\u00e3o", + "HeaderSelectWatchFolderHelp": "Localize ou digite o caminho para a sua pasta de monitora\u00e7\u00e3o. A pasta deve permitir escrita.", + "OrganizePatternResult": "Resultado: {0}", + "HeaderRestart": "Reiniciar", + "HeaderShutdown": "Desligar", + "MessageConfirmRestart": "Deseja realmente reiniciar o Servidor Emby?", + "MessageConfirmShutdown": "Deseja realmente desligar o Servidor Emby?", + "ButtonUpdateNow": "Atualizar Agora", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} itens", + "NewVersionOfSomethingAvailable": "Est\u00e1 dispon\u00edvel uma nova vers\u00e3o de {0}!", + "VersionXIsAvailableForDownload": "A vers\u00e3o {0} est\u00e1 dispon\u00edvel para download.", + "LabelVersionNumber": "Vers\u00e3o {0}", + "LabelPlayMethodTranscoding": "Transcodifica\u00e7\u00e3o", + "LabelPlayMethodDirectStream": "Streaming Direto", + "LabelPlayMethodDirectPlay": "Reprodu\u00e7\u00e3o Direta", + "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:", + "LabelAudioCodec": "\u00c1udio: {0}", + "LabelVideoCodec": "V\u00eddeo: {0}", + "LabelLocalAccessUrl": "Acesso local: {0}", + "LabelRemoteAccessUrl": "Acesso Remoto: {0}", + "LabelRunningOnPort": "Executando na porta http {0}.", + "LabelRunningOnPorts": "Executando na porta http {0} e porta https {1}.", + "HeaderLatestFromChannel": "Mais recentes de {0}", + "LabelUnknownLanaguage": "Idioma desconhecido", + "HeaderCurrentSubtitles": "Legendas Atuais", + "MessageDownloadQueued": "O download foi enfileirado.", + "MessageAreYouSureDeleteSubtitles": "Deseja realmente excluir este arquivo de legendas?", "ButtonRemoteControl": "Controle Remoto", - "TabSongs": "M\u00fasicas", - "TabAlbums": "\u00c1lbuns", - "MessageFeatureIncludedWithSupporter": "Voc\u00ea est\u00e1 registrado para este recurso e poder\u00e1 continuar usando-o com uma ades\u00e3o ativa de colaborador.", + "HeaderLatestTvRecordings": "\u00daltimas Grava\u00e7\u00f5es", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonRefresh": "Atualizar", + "LabelCurrentPath": "Caminho atual:", + "HeaderSelectMediaPath": "Selecionar o Caminho da M\u00eddia", + "HeaderSelectPath": "Selecione o Caminho", + "ButtonNetwork": "Rede", + "MessageDirectoryPickerInstruction": "Os caminhos da rede podem ser digitados manualmente caso o bot\u00e3o de Rede n\u00e3o consiga localizar seus dispositivos. Por exemplo, {0} ou {1}.", + "HeaderMenu": "Menu", + "ButtonOpen": "Abrir", + "ButtonOpenInNewTab": "Abrir em uma nova aba", + "ButtonShuffle": "Aleat\u00f3rio", + "ButtonInstantMix": "Mix inst\u00e2ntaneo", + "ButtonResume": "Retomar", + "HeaderScenes": "Cenas", + "HeaderAudioTracks": "Faixas de Audio", + "HeaderLibraries": "Bibliotecas", + "HeaderSubtitles": "Legendas", + "HeaderVideoQuality": "Qualidade do V\u00eddeo", + "MessageErrorPlayingVideo": "Houve um erro na reprodu\u00e7\u00e3o do v\u00eddeo.", + "MessageEnsureOpenTuner": "Por favor, cetifique-se que existe um sintonizador aberto.", + "ButtonHome": "In\u00edcio", + "ButtonDashboard": "Painel", + "ButtonReports": "Relat\u00f3rios", + "ButtonMetadataManager": "Gerenciador de Metadados", + "HeaderTime": "Tempo", + "HeaderName": "Nome", + "HeaderAlbum": "\u00c1lbum", + "HeaderAlbumArtist": "Artista do \u00c1lbum", + "HeaderArtist": "Artista", + "LabelAddedOnDate": "Adicionado {0}", + "ButtonStart": "Iniciar", + "LabelSeasonNumber": "N\u00famero da temporada:", + "HeaderChannels": "Canais", + "HeaderMediaFolders": "Pastas de M\u00eddia", + "HeaderBlockItemsWithNoRating": "Bloquear conte\u00fado sem informa\u00e7\u00e3o de classifica\u00e7\u00e3o:", + "OptionBlockOthers": "Outros", + "OptionBlockTvShows": "S\u00e9ries de TV", + "OptionBlockTrailers": "Trailers", + "OptionBlockMusic": "M\u00fasica", + "OptionBlockMovies": "Filmes", + "OptionBlockBooks": "Livros", + "OptionBlockGames": "Jogos", + "OptionBlockLiveTvPrograms": "Programas de TV ao vivo", + "OptionBlockLiveTvChannels": "Canais de TV ao vivo", + "OptionBlockChannelContent": "Conte\u00fado do Canal de Internet", + "ButtonRevoke": "Revogar", + "MessageConfirmRevokeApiKey": "Deseja realmente revogar esta chave de api? A conex\u00e3o da aplica\u00e7\u00e3o com o Servidor Emby ser\u00e1 abruptamente encerrada.", + "HeaderConfirmRevokeApiKey": "Revogar Chave da Api", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Codec de \u00c1udio: {0}", "ValueVideoCodec": "Codec de V\u00eddeo: {0}", - "TabMusicVideos": "V\u00eddeos Musicais", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "\u00daltimas Avalia\u00e7\u00f5es", - "HeaderDevices": "Dispositivos", "ValueConditions": "Condi\u00e7\u00f5es: {0}", - "HeaderPluginInstallation": "Instala\u00e7\u00e3o do plugin", "LabelAll": "Todos", - "MessageAlreadyInstalled": "Esta vers\u00e3o j\u00e1 est\u00e1 instalada.", "HeaderDeleteImage": "Excluir Imagem", - "ValueReviewCount": "{0} Avalia\u00e7\u00f5es", "MessageFileNotFound": "Arquivo n\u00e3o encontrado.", - "MessageYouHaveVersionInstalled": "Voc\u00ea possui a vers\u00e3o {0} instalada.", "MessageFileReadError": "Ocorreu um erro ao ler este arquivo.", - "MessageTrialExpired": "O per\u00edodo de testes terminou", "ButtonNextPage": "Pr\u00f3xima P\u00e1gina", - "OptionWatched": "Assistido", - "MessageTrialWillExpireIn": "O per\u00edodo de testes expirar\u00e1 em {0} dia(s)", "ButtonPreviousPage": "P\u00e1gina Anterior", - "OptionUnwatched": "N\u00e3o-assistido", - "MessageInstallPluginFromApp": "Este plugin deve ser instalado de dentro da app em que deseja us\u00e1-lo.", - "OptionRuntime": "Dura\u00e7\u00e3o", - "HeaderMyMedia": "Minha M\u00eddia", "ButtonMoveLeft": "Mover \u00e0 esquerda", - "ExternalPlayerPlaystateOptionsHelp": "Defina como gostaria de retomar a reprodu\u00e7\u00e3o deste v\u00eddeo na pr\u00f3xima vez.", - "ValuePriceUSD": "Pre\u00e7o: {0} (USD)", "OptionReleaseDate": "Data de lan\u00e7amento", "ButtonMoveRight": "Mover \u00e0 direita", - "LabelMarkAs": "Marcar como:", "ButtonBrowseOnlineImages": "Procurar imagens online", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Por favor, aceite os termos de servi\u00e7o antes de continuar.", - "OptionInProgress": "Em Reprodu\u00e7\u00e3o", "HeaderDeleteItem": "Excluir item", - "ButtonUninstall": "Desinstalar", - "LabelResumePoint": "Ponto para retomar:", "ConfirmDeleteItem": "Excluir este item o excluir\u00e1 do sistema de arquivos e tamb\u00e9m da biblioteca de m\u00eddias. Deseja realmente continuar?", - "ValueOneMovie": "1 filme", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Por favor, digite um nome ou Id externo.", - "ValueMovieCount": "{0} filmes", - "PluginCategoryGeneral": "Geral", - "ValueItemCountPlural": "{0} itens", "MessageValueNotCorrect": "O valor digitado n\u00e3o est\u00e1 correto. Por favor, tente novamente.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item salvo.", - "HeaderWelcomeBack": "Bem-vindo novamente!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Por favor, aceite os termos de servi\u00e7o antes de continuar.", + "OptionEnded": "Finalizada", + "OptionContinuing": "Em Exibi\u00e7\u00e3o", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Ajustes", + "ButtonUninstall": "Desinstalar", "HeaderFields": "Campos", - "ButtonTakeTheTourToSeeWhatsNew": "Fa\u00e7a o tour para ver as novidades", - "ValueOneSeries": "1 s\u00e9rie", - "PluginCategoryContentProvider": "Provedores de Conte\u00fado", "HeaderFieldsHelp": "Deslize um campo para 'off' para bloquear e evitar que seus dados sejam alterados.", - "ValueSeriesCount": "{0} s\u00e9ries", "HeaderLiveTV": "TV ao Vivo", - "ValueOneEpisode": "1 epis\u00f3dio", - "LabelRecurringDonationCanBeCancelledHelp": "Doa\u00e7\u00f5es recorrentes podem ser canceladas a qualquer momento dentro da conta do PayPal.", - "ButtonRevoke": "Revogar", "MissingLocalTrailer": "Faltando trailer local.", - "ValueEpisodeCount": "{0} epis\u00f3dios", - "PluginCategoryScreenSaver": "Protetores de Tela", - "ButtonMore": "Mais", "MissingPrimaryImage": "Faltando imagem da capa.", - "ValueOneGame": "1 jogo", - "HeaderFavoriteMovies": "Filmes Favoritos", "MissingBackdropImage": "Faltando imagem de fundo.", - "ValueGameCount": "{0} jogos", - "HeaderFavoriteShows": "S\u00e9ries Favoritas", "MissingLogoImage": "Faltando imagem do logo.", - "ValueOneAlbum": "1 \u00e1lbum", - "PluginCategoryTheme": "Temas", - "HeaderFavoriteEpisodes": "Epis\u00f3dios Favoritos", "MissingEpisode": "Faltando epis\u00f3dio.", - "ValueAlbumCount": "{0} \u00e1lbuns", - "HeaderFavoriteGames": "Jogos Favoritos", - "MessagePlaybackErrorPlaceHolder": "O conte\u00fado escolhido n\u00e3o \u00e9 reproduz\u00edvel neste dispositivo.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 m\u00fasica", - "HeaderRatingsDownloads": "Avalia\u00e7\u00e3o \/ Downloads", "OptionBackdrops": "Imagens de Fundo", - "MessageErrorLoadingSupporterInfo": "Ocorreu um erro ao carregar a informa\u00e7\u00e3o do colaborador. Por favor, tente novamente mais tarde.", - "ValueSongCount": "{0} m\u00fasicas", - "PluginCategorySync": "Sincroniza\u00e7\u00e3o", - "HeaderConfirmProfileDeletion": "Confirmar Exclus\u00e3o do Perfil", - "HeaderSelectDate": "Selecionar Data", - "ValueOneMusicVideo": "1 v\u00eddeo musical", - "MessageConfirmProfileDeletion": "Deseja realmente excluir este perfil?", "OptionImages": "Imagens", - "ValueMusicVideoCount": "{0} v\u00eddeos musicais", - "HeaderSelectServerCachePath": "Selecione o Caminho do Cache do Servidor", "OptionKeywords": "Palavras-chave", - "MessageLinkYourSupporterKey": "Associe sua chave de colaborador com at\u00e9 {0} membros do Emby Connect para desfrutar acesso gr\u00e1tis \u00e0s seguintes apps:", - "HeaderOffline": "Sem acesso", - "PluginCategorySocialIntegration": "Redes Sociais", - "HeaderSelectTranscodingPath": "Selecione o Caminho Tempor\u00e1rio da Transcodifica\u00e7\u00e3o", - "MessageThankYouForSupporting": "Obrigado por colaborar com o Emby.", "OptionTags": "Tags", - "HeaderUnaired": "N\u00e3o-Exibido", - "HeaderSelectImagesByNamePath": "Selecione o Caminho da Images By Name", "OptionStudios": "Est\u00fadios", - "HeaderMissing": "Ausente", - "HeaderSelectMetadataPath": "Selecione o Caminho dos Metadados", "OptionName": "Nome", - "HeaderConfirmRemoveUser": "Remover Usu\u00e1rio", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifica\u00e7\u00f5es", - "HeaderSelectServerCachePathHelp": "Localize ou digite o caminho para armazenar os arquivos de cache do servidor. A pasta deve permitir grava\u00e7\u00e3o.", - "SyncJobStatusQueued": "Enfileirado", "OptionOverview": "Descri\u00e7\u00e3o", - "TooltipFavorite": "Favorito", - "HeaderSelectTranscodingPathHelp": "Localize ou digite o caminho para usar para arquivos tempor\u00e1rios de transcodifica\u00e7\u00e3o. A pasta deve ser grav\u00e1vel.", - "ButtonCancelItem": "Cancelar item", "OptionGenres": "G\u00eaneros", - "ButtonScheduledTasks": "Tarefas Agendadas", - "ValueTimeLimitSingleHour": "Limite de tempo: 1 hora", - "TooltipLike": "Curti", - "HeaderSelectImagesByNamePathHelp": "Localize ou digite o caminho de sua pasta de itens por nome. A pasta deve ser grav\u00e1vel.", - "SyncJobStatusCompleted": "Sincronizado", + "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", "OptionPeople": "Pessoas", - "MessageConfirmRemoveConnectSupporter": "Deseja realmente remover os benef\u00edcios adicionais de colaborador deste usu\u00e1rio?", - "TooltipDislike": "N\u00e3o curti", - "PluginCategoryMetadata": "Metadados", - "HeaderSelectMetadataPathHelp": "Localize ou digite o caminho que voc\u00ea gostaria de armazenar os metadados. A pasta deve ser grav\u00e1vel.", - "ButtonQueueForRetry": "Enfileirar para tentar novamente", - "SyncJobStatusCompletedWithError": "Sincronizado com erros", + "OptionRuntime": "Dura\u00e7\u00e3o", "OptionProductionLocations": "Locais de Produ\u00e7\u00e3o", - "ButtonDonate": "Doar", - "TooltipPlayed": "Reproduzido", "OptionBirthLocation": "Local de Nascimento", - "ValueTimeLimitMultiHour": "Limite de tempo: {0} horas", - "ValueSeriesYearToPresent": "{0}-Presente", - "ButtonReenable": "Reativar", + "LabelAllChannels": "Todos os canais", "LabelLiveProgram": "AO VIVO", - "ConfirmMessageScheduledTaskButton": "Esta opera\u00e7\u00e3o normalmente \u00e9 executada automaticamente como uma tarefa agendada. Tamb\u00e9m pode ser executada manualmente. Para configurar a tarefa agendada, veja:", - "ValueAwards": "Pr\u00eamios: {0}", - "PluginCategoryLiveTV": "TV ao Vivo", "LabelNewProgram": "NOVO", - "ValueBudget": "Or\u00e7amento: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remo\u00e7\u00e3o", "LabelPremiereProgram": "ESTR\u00c9IA", - "ValueRevenue": "Faturamento: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Alterar Tipo do Conte\u00fado", - "ButtonQueueAllFromHere": "Enfileirar todas a partir daqui", - "ValuePremiered": "Estr\u00e9ia {0}", - "PluginCategoryChannel": "Canais", - "HeaderLibraryFolders": "Pastas de M\u00eddias", - "ButtonMarkForRemoval": "Remover do dispositivo", "HeaderChangeFolderTypeHelp": "Para alterar o tipo, por favor remova e reconstrua a pasta com o novo tipo.", - "ButtonPlayAllFromHere": "Reproduzir todas a partir daqui", - "ValuePremieres": "Estr\u00e9ia {0}", "HeaderAlert": "Alerta", - "LabelDynamicExternalId": "Id de {0}:", - "ValueStudio": "Est\u00fadio: {0}", - "ButtonUnmarkForRemoval": "Cancelar remo\u00e7\u00e3o do dispositivo", "MessagePleaseRestart": "Por favor, reinicie para finalizar a atualiza\u00e7\u00e3o.", - "HeaderIdentify": "Identificar Item", - "ValueStudios": "Est\u00fadios: {0}", + "ButtonRestart": "Reiniciar", "MessagePleaseRefreshPage": "Por favor, atualize esta p\u00e1gina para receber novas atualiza\u00e7\u00f5es do servidor.", - "PersonTypePerson": "Pessoa", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Especial - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Deseja realmente cancelar este item?", "ButtonHide": "Ocultar", - "LabelTitleDisplayOrder": "Ordem de exibi\u00e7\u00e3o do t\u00edtulo: ", - "ButtonViewSeriesRecording": "Visualizar grava\u00e7\u00e3o de s\u00e9ries", "MessageSettingsSaved": "Ajustes salvos.", - "OptionSortName": "Nome para ordena\u00e7\u00e3o", - "ValueOriginalAirDate": "Data original de exibi\u00e7\u00e3o: {0}", - "HeaderLibraries": "Bibliotecas", "ButtonSignOut": "Sair", - "ButtonOk": "Ok", "ButtonMyProfile": "Meu Perfil", - "ButtonCancel": "Cancelar", "ButtonMyPreferences": "Minhas Prefer\u00eancias", - "LabelDiscNumber": "N\u00famero do disco", "MessageBrowserDoesNotSupportWebSockets": "Este navegador n\u00e3o suporta web sockets. Para uma melhor experi\u00eancia, tente um navegador mais atual como o Chrome, Firefox, IE10+, Safari (iOS) ou Opera.", - "LabelParentNumber": "N\u00famero do superior", "LabelInstallingPackage": "Instalando {0}", - "TitleSync": "Sinc", "LabelPackageInstallCompleted": "Instala\u00e7\u00e3o de {0} conclu\u00edda.", - "LabelTrackNumber": "N\u00famero da faixa:", "LabelPackageInstallFailed": "Instala\u00e7\u00e3o de {0} falhou.", - "LabelNumber": "N\u00famero:", "LabelPackageInstallCancelled": "Instala\u00e7\u00e3o de {0} cancelada.", - "LabelReleaseDate": "Data do lan\u00e7amento:", + "TabServer": "Servidor", "TabUsers": "Usu\u00e1rios", - "LabelEndDate": "Data final:", "TabLibrary": "Biblioteca", - "LabelYear": "Ano:", + "TabMetadata": "Metadados", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Data de nascimento:", "TabLiveTV": "TV ao Vivo", - "LabelBirthYear": "Ano de nascimento:", "TabAutoOrganize": "Auto-Organizar", - "LabelDeathDate": "Data da morte:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remover Localiza\u00e7\u00e3o da M\u00eddia", - "HeaderDeviceAccess": "Acesso ao Dispositivo", + "TabAdvanced": "Avan\u00e7ado", "TabHelp": "Ajuda", - "MessageConfirmRemoveMediaLocation": "Deseja realmente remover esta localiza\u00e7\u00e3o?", - "HeaderSelectDevices": "Selecionar Dispositivos", "TabScheduledTasks": "Tarefas Agendadas", - "HeaderRenameMediaFolder": "Renomear Pasta de M\u00eddia", - "LabelNewName": "Novo nome:", - "HeaderLatestFromChannel": "Mais recentes de {0}", - "HeaderAddMediaFolder": "Adicionar Pasta de M\u00eddia", - "ButtonQuality": "Qualidade", - "HeaderAddMediaFolderHelp": "Nome (Filmes, M\u00fasica, TV, etc):", "ButtonFullscreen": "Tela cheia", - "HeaderRemoveMediaFolder": "Excluir Pasta de M\u00eddia", - "ButtonScenes": "Cenas", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "As localiza\u00e7\u00f5es de m\u00eddia abaixo ser\u00e3o exclu\u00eddas de sua biblioteca:", - "ErrorLaunchingChromecast": "Ocorreu um erro ao iniciar o chromecast. Por favor verifique se seu dispositivo est\u00e1 conectado \u00e0 sua rede sem fio.", - "ButtonSubtitles": "Legendas", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Deseja realmente excluir esta pasta de m\u00eddia?", - "MessagePleaseSelectOneItem": "Por favor selecione pelo menos um item.", "ButtonAudioTracks": "Faixas de \u00c1udio", - "ButtonRename": "Renomear", - "MessagePleaseSelectTwoItems": "Por favor selecione pelo menos dois itens.", - "ButtonPreviousTrack": "Faixa Anterior", - "ButtonChangeType": "Alterar tipo", - "HeaderSelectChannelDownloadPath": "Selecione o Caminho para Download do Canal.", - "ButtonNextTrack": "Faixa Seguinte", - "HeaderMediaLocations": "Localiza\u00e7\u00f5es de M\u00eddia", - "HeaderSelectChannelDownloadPathHelp": "Localize ou digite o caminho a ser usado para armazenamento de arquivos de cache do canal. A pasta deve permitir escrita.", - "ButtonStop": "Parar", - "OptionNewCollection": "Nova...", - "ButtonPause": "Pausar", - "TabMovies": "Filmes", - "LabelPathSubstitutionHelp": "Opcional: Substitui\u00e7\u00e3o de caminho pode mapear caminhos do servidor para compartilhamentos de rede de forma a que os clientes possam acessar para reprodu\u00e7\u00e3o direta.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmes", - "LabelCollection": "Cole\u00e7\u00e3o", - "FolderTypeMusic": "M\u00fasica", - "FolderTypeAdultVideos": "V\u00eddeos adultos", - "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "FolderTypeMusicVideos": "V\u00eddeos musicais", - "SettingsSaved": "Ajustes salvos.", - "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", - "FolderTypeHomeVideos": "V\u00eddeos caseiros", - "AddUser": "Adicionar Usu\u00e1rio", - "HeaderMenu": "Menu", - "FolderTypeGames": "Jogos", - "Users": "Usu\u00e1rios", - "ButtonRefresh": "Atualizar", - "PinCodeResetComplete": "O c\u00f3digo pin foi redefinido.", - "ButtonOpen": "Abrir", - "FolderTypeBooks": "Livros", - "Delete": "Excluir", - "LabelCurrentPath": "Caminho atual:", - "TabAdvanced": "Avan\u00e7ado", - "ButtonOpenInNewTab": "Abrir em uma nova aba", - "FolderTypeTvShows": "TV", - "Administrator": "Administrador", - "HeaderSelectMediaPath": "Selecionar o Caminho da M\u00eddia", - "PinCodeResetConfirmation": "Deseja realmente redefinir o c\u00f3digo pin?", - "ButtonShuffle": "Aleat\u00f3rio", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Local de nascimento: {0}", - "Password": "Senha", - "ButtonNetwork": "Rede", - "OptionContinuing": "Em Exibi\u00e7\u00e3o", - "ButtonInstantMix": "Mix inst\u00e2ntaneo", - "DeathDateValue": "Morte: {0}", - "MessageDirectoryPickerInstruction": "Os caminhos da rede podem ser digitados manualmente caso o bot\u00e3o de Rede n\u00e3o consiga localizar seus dispositivos. Por exemplo, {0} ou {1}.", - "HeaderPinCodeReset": "Redefinir C\u00f3digo Pin", - "OptionEnded": "Finalizada", - "ButtonResume": "Retomar", + "ButtonSubtitles": "Legendas", + "ButtonScenes": "Cenas", + "ButtonQuality": "Qualidade", + "HeaderNotifications": "Avisos", + "HeaderSelectPlayer": "Selecione onde reproduzir:", + "ButtonSelect": "Selecionar", + "ButtonNew": "Novo", + "MessageInternetExplorerWebm": "Para melhores resultados com o Internet Explorer, por favor instale o plugin de reprodu\u00e7\u00e3o WebM.", + "HeaderVideoError": "Erro de V\u00eddeo", "ButtonAddToPlaylist": "Adicionar \u00e0 lista de reprodu\u00e7\u00e3o", - "BirthDateValue": "Nascimento: {0}", - "ButtonMoreItems": "Mais...", - "DeleteImage": "Excluir Imagem", "HeaderAddToPlaylist": "Adicionar \u00e0 Lista de Reprodu\u00e7\u00e3o", - "LabelSelectCollection": "Selecione cole\u00e7\u00e3o:", - "MessageNoSyncJobsFound": "Nenhuma tarefa de sincroniza\u00e7\u00e3o encontrada. Crie uma tarefa de sincroniza\u00e7\u00e3o usando os bot\u00f5es Sincroniza\u00e7\u00e3o encontrados na interface web.", - "ButtonRemoveFromPlaylist": "Remover da lista de reprodu\u00e7\u00e3o", - "DeleteImageConfirmation": "Deseja realmente excluir esta imagem?", - "HeaderLoginFailure": "Falha no Login", - "OptionSunday": "Domingo", + "LabelName": "Nome:", + "ButtonSubmit": "Enviar", "LabelSelectPlaylist": "Lista de Reprodu\u00e7\u00e3o:", - "LabelContentTypeValue": "Tipo de conte\u00fado: {0}", - "FileReadCancelled": "A leitura do arquivo foi cancelada.", - "OptionMonday": "Segunda-feira", "OptionNewPlaylist": "Nova lista de reprodu\u00e7\u00e3o", - "FileNotFound": "Arquivo n\u00e3o encontrado.", - "HeaderPlaybackError": "Erro na Reprodu\u00e7\u00e3o", - "OptionTuesday": "Ter\u00e7a-feira", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Ocorreu um erro ao ler o arquivo.", - "HeaderName": "Nome", - "OptionWednesday": "Quarta-feira", + "ButtonView": "Visualizar", + "ButtonViewSeriesRecording": "Visualizar grava\u00e7\u00e3o de s\u00e9ries", + "ValueOriginalAirDate": "Data original de exibi\u00e7\u00e3o: {0}", + "ButtonRemoveFromPlaylist": "Remover da lista de reprodu\u00e7\u00e3o", + "HeaderSpecials": "Especiais", + "HeaderTrailers": "Trailers", + "HeaderAudio": "\u00c1udio", + "HeaderResolution": "Resolu\u00e7\u00e3o", + "HeaderVideo": "V\u00eddeo", + "HeaderRuntime": "Dura\u00e7\u00e3o", + "HeaderCommunityRating": "Avalia\u00e7\u00e3o da Comunidade", + "HeaderPasswordReset": "Redefini\u00e7\u00e3o de Senha", + "HeaderParentalRating": "Classifica\u00e7\u00e3o parental", + "HeaderReleaseDate": "Data de lan\u00e7amento", + "HeaderDateAdded": "Data de adi\u00e7\u00e3o", + "HeaderSeries": "S\u00e9rie", + "HeaderSeason": "Temporada", + "HeaderSeasonNumber": "N\u00famero da temporada", + "HeaderNetwork": "Rede de TV", + "HeaderYear": "Ano", + "HeaderGameSystem": "Sistema do jogo", + "HeaderPlayers": "Jogadores", + "HeaderEmbeddedImage": "Imagem incorporada", + "HeaderTrack": "Faixa", + "HeaderDisc": "Disco", + "OptionMovies": "Filmes", "OptionCollections": "Cole\u00e7\u00f5es", - "DeleteUser": "Excluir Usu\u00e1rio", - "OptionThursday": "Quinta-feira", "OptionSeries": "S\u00e9ries", - "DeleteUserConfirmation": "Deseja realmente excluir este usu\u00e1rio?", - "MessagePlaybackErrorNotAllowed": "Voc\u00ea n\u00e3o est\u00e1 autorizado a reproduzir este conte\u00fado. Por favor, entre em contato com o administrador do sistema para mais detalhes.", - "OptionFriday": "Sexta-feira", "OptionSeasons": "Temporadas", - "PasswordResetHeader": "Redefinir Senha", - "OptionSaturday": "S\u00e1bado", + "OptionEpisodes": "Epis\u00f3dios", "OptionGames": "Jogos", - "PasswordResetComplete": "A senha foi redefinida.", - "HeaderSpecials": "Especiais", "OptionGameSystems": "Sistemas de jogos", - "PasswordResetConfirmation": "Deseja realmente redefinir a senha?", - "MessagePlaybackErrorNoCompatibleStream": "N\u00e3o existem streams compat\u00edveis. Por favor, tente novamente mais tarde ou contate o administrador do sistema para mais detalhes.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Artistas da M\u00fasica", - "PasswordSaved": "Senha salva.", - "HeaderAudio": "\u00c1udio", "OptionMusicAlbums": "\u00c1lbuns de m\u00fasica", - "PasswordMatchError": "A senha e a confirma\u00e7\u00e3o da senha devem ser iguais.", - "HeaderResolution": "Resolu\u00e7\u00e3o", - "LabelFailed": "(falhou)", "OptionMusicVideos": "V\u00eddeos Musicais", - "MessagePlaybackErrorRateLimitExceeded": "Seu limite da taxa de reprodu\u00e7\u00e3o foi excedido. Por favor, entre em contato com o administrador do sistema para mais detalhes.", - "HeaderVideo": "V\u00eddeo", - "ButtonSelect": "Selecionar", - "LabelVersionNumber": "Vers\u00e3o {0}", "OptionSongs": "M\u00fasicas", - "HeaderRuntime": "Dura\u00e7\u00e3o", - "LabelPlayMethodTranscoding": "Transcodifica\u00e7\u00e3o", "OptionHomeVideos": "V\u00eddeos caseiros", - "ButtonSave": "Salvar", - "HeaderCommunityRating": "Avalia\u00e7\u00e3o da Comunidade", - "LabelSeries": "S\u00e9rie", - "LabelPlayMethodDirectStream": "Streaming Direto", "OptionBooks": "Livros", - "HeaderParentalRating": "Classifica\u00e7\u00e3o parental", - "LabelSeasonNumber": "N\u00famero da temporada:", - "HeaderChannels": "Canais", - "LabelPlayMethodDirectPlay": "Reprodu\u00e7\u00e3o Direta", "OptionAdultVideos": "V\u00eddeos adultos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Data de lan\u00e7amento", - "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:", - "LabelAudioCodec": "\u00c1udio: {0}", "ButtonUp": "Subir", - "LabelUnknownLanaguage": "Idioma desconhecido", - "HeaderDateAdded": "Data de adi\u00e7\u00e3o", - "LabelVideoCodec": "V\u00eddeo: {0}", "ButtonDown": "Descer", - "HeaderCurrentSubtitles": "Legendas Atuais", - "ButtonPlayExternalPlayer": "Reproduzir com reprodutor externo", - "HeaderSeries": "S\u00e9rie", - "TabServer": "Servidor", - "TabSeries": "S\u00e9ries", - "LabelRemoteAccessUrl": "Acesso Remoto: {0}", "LabelMetadataReaders": "Leitores de metadados:", - "MessageDownloadQueued": "O download foi enfileirado.", - "HeaderSelectExternalPlayer": "Selecionar Reprodutor Externo", - "HeaderSeason": "Temporada", - "HeaderSupportTheTeam": "Colabore com o Time do Emby", - "LabelRunningOnPort": "Executando na porta http {0}.", "LabelMetadataReadersHelp": "Classifique por ordem de prioridade suas fontes de metadados locais preferidas. O primeiro arquivo encontrado ser\u00e1 lido.", - "MessageAreYouSureDeleteSubtitles": "Deseja realmente excluir este arquivo de legendas?", - "HeaderExternalPlayerPlayback": "Reprodu\u00e7\u00e3o em Reprodutor Externo", - "HeaderSeasonNumber": "N\u00famero da temporada", - "LabelRunningOnPorts": "Executando na porta http {0} e porta https {1}.", "LabelMetadataDownloaders": "Downloaders de metadados:", - "ButtonImDone": "Pronto", - "HeaderNetwork": "Rede de TV", "LabelMetadataDownloadersHelp": "Ative e classifique por ordem de prioridade seus downloaders de metadados preferidos. Downloaders com prioridade mais baixa s\u00f3 ser\u00e3o usados para baixar informa\u00e7\u00f5es que ainda n\u00e3o existam.", - "HeaderLatestMedia": "M\u00eddias Recentes", - "HeaderYear": "Ano", "LabelMetadataSavers": "Gravadores de metadados:", - "HeaderGameSystem": "Sistema do jogo", - "MessagePleaseSupportProject": "Por favor, colabore com o Emby.", "LabelMetadataSaversHelp": "Escolha os formatos de arquivos nos quais deseja gravar seus metadados.", - "HeaderPlayers": "Jogadores", "LabelImageFetchers": "Buscadores de imagem:", - "HeaderEmbeddedImage": "Imagem incorporada", - "ButtonNew": "Novo", "LabelImageFetchersHelp": "Ative e classifique por ordem de prioridade seus buscadores de imagem preferidos.", - "MessageSwipeDownOnRemoteControl": "Bem vindo ao controle remoto. Selecione o dispositivo que deseja controlar clicando no \u00edcone de transmiss\u00e3o no canto superior direito. Deslize para baixo em qualquer lugar da tela para voltar \u00e0 tela anterior.", - "HeaderTrack": "Faixa", - "HeaderWelcomeToProjectServerDashboard": "Bem vindo ao Painel do Servidor Emby", - "TabMetadata": "Metadados", - "HeaderDisc": "Disco", - "HeaderWelcomeToProjectWebClient": "Bem vindo ao Emby", - "LabelName": "Nome:", - "LabelAddedOnDate": "Adicionado {0}", - "ButtonRemove": "Remover", - "ButtonStart": "Iniciar", - "HeaderEmbyAccountAdded": "Conta do Emby Adicionada", - "HeaderBlockItemsWithNoRating": "Bloquear conte\u00fado sem informa\u00e7\u00e3o de classifica\u00e7\u00e3o:", - "LabelLocalAccessUrl": "Acesso local: {0}", - "OptionBlockOthers": "Outros", - "SyncJobStatusReadyToTransfer": "Pronto para Transferir", - "OptionBlockTvShows": "S\u00e9ries de TV", - "SyncJobItemStatusReadyToTransfer": "Pronto para Transferir", - "MessageEmbyAccountAdded": "A conta do Emby foi adicionada para este usu\u00e1rio.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "M\u00fasica", - "OptionBlockMovies": "Filmes", - "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", - "MessagePendingEmbyAccountAdded": "A conta do Emby foi adicionada para este usu\u00e1rio. Um email ser\u00e1 enviado para o dono da conta. O convite precisar\u00e1 ser confirmado clicando no link dentro do email.", - "OptionBlockBooks": "Livros", - "ButtonPlay": "Reproduzir", - "OptionBlockGames": "Jogos", - "MessageKeyEmailedTo": "Chave enviada para {0}.", + "ButtonQueueAllFromHere": "Enfileirar todas a partir daqui", + "ButtonPlayAllFromHere": "Reproduzir todas a partir daqui", + "LabelDynamicExternalId": "Id de {0}:", + "HeaderIdentify": "Identificar Item", + "PersonTypePerson": "Pessoa", + "LabelTitleDisplayOrder": "Ordem de exibi\u00e7\u00e3o do t\u00edtulo: ", + "OptionSortName": "Nome para ordena\u00e7\u00e3o", + "LabelDiscNumber": "N\u00famero do disco", + "LabelParentNumber": "N\u00famero do superior", + "LabelTrackNumber": "N\u00famero da faixa:", + "LabelNumber": "N\u00famero:", + "LabelReleaseDate": "Data do lan\u00e7amento:", + "LabelEndDate": "Data final:", + "LabelYear": "Ano:", + "LabelDateOfBirth": "Data de nascimento:", + "LabelBirthYear": "Ano de nascimento:", + "LabelBirthDate": "Data de nascimento:", + "LabelDeathDate": "Data da morte:", + "HeaderRemoveMediaLocation": "Remover Localiza\u00e7\u00e3o da M\u00eddia", + "MessageConfirmRemoveMediaLocation": "Deseja realmente remover esta localiza\u00e7\u00e3o?", + "HeaderRenameMediaFolder": "Renomear Pasta de M\u00eddia", + "LabelNewName": "Novo nome:", + "HeaderAddMediaFolder": "Adicionar Pasta de M\u00eddia", + "HeaderAddMediaFolderHelp": "Nome (Filmes, M\u00fasica, TV, etc):", + "HeaderRemoveMediaFolder": "Excluir Pasta de M\u00eddia", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "As localiza\u00e7\u00f5es de m\u00eddia abaixo ser\u00e3o exclu\u00eddas de sua biblioteca:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "Deseja realmente excluir esta pasta de m\u00eddia?", + "ButtonRename": "Renomear", + "ButtonChangeType": "Alterar tipo", + "HeaderMediaLocations": "Localiza\u00e7\u00f5es de M\u00eddia", + "LabelContentTypeValue": "Tipo de conte\u00fado: {0}", + "LabelPathSubstitutionHelp": "Opcional: Substitui\u00e7\u00e3o de caminho pode mapear caminhos do servidor para compartilhamentos de rede de forma a que os clientes possam acessar para reprodu\u00e7\u00e3o direta.", + "FolderTypeUnset": "Indefinido (conte\u00fado misto)", + "FolderTypeMovies": "Filmes", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "V\u00eddeos adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "V\u00eddeos musicais", + "FolderTypeHomeVideos": "V\u00eddeos caseiros", + "FolderTypeGames": "Jogos", + "FolderTypeBooks": "Livros", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmes", + "TabSeries": "S\u00e9ries", + "TabEpisodes": "Epis\u00f3dios", + "TabTrailers": "Trailers", "TabGames": "Jogos", - "ButtonEdit": "Editar", - "OptionBlockLiveTvPrograms": "Programas de TV ao vivo", - "MessageKeysLinked": "Chaves unificadas.", - "HeaderEmbyAccountRemoved": "Conta do Emby Removida", - "OptionBlockLiveTvChannels": "Canais de TV ao vivo", - "HeaderConfirmation": "Confirma\u00e7\u00e3o", - "ButtonDelete": "Excluir", - "OptionBlockChannelContent": "Conte\u00fado do Canal de Internet", - "MessageKeyUpdated": "Obrigado. Sua chave de colaborador foi atualizada.", - "MessageKeyRemoved": "Obrigado. Sua chave de colaborador foi removida.", - "OptionMovies": "Filmes", - "MessageEmbyAccontRemoved": "A conta do Emby foi removida para este usu\u00e1rio.", - "HeaderSearch": "Busca", - "OptionEpisodes": "Epis\u00f3dios", - "LabelArtist": "Artista", - "LabelMovie": "Filme", - "HeaderPasswordReset": "Redefini\u00e7\u00e3o de Senha", - "TooltipLinkedToEmbyConnect": "Associada ao Emby Connect", - "LabelMusicVideo": "V\u00eddeo Musical", - "LabelEpisode": "Epis\u00f3dio", - "LabelAbortedByServerShutdown": "(Abortada pelo desligamento do servidor)", - "HeaderConfirmSeriesCancellation": "Confirmar Cancelamento da S\u00e9rie", - "LabelStopping": "Parando", - "MessageConfirmSeriesCancellation": "Deseja realmente cancelar esta s\u00e9rie?", - "LabelCancelled": "(cancelado)", - "MessageSeriesCancelled": "S\u00e9rie cancelada.", - "HeaderConfirmDeletion": "Confirmar Exclus\u00e3o", - "MessageConfirmPathSubstitutionDeletion": "Deseja realmente excluir esta substitui\u00e7\u00e3o de caminho?", - "LabelScheduledTaskLastRan": "\u00daltima execu\u00e7\u00e3o {0}, demorando {1}.", - "LiveTvUpdateAvailable": "(Atualiza\u00e7\u00e3o dispon\u00edvel)", - "TitleLiveTV": "TV ao Vivo", - "HeaderDeleteTaskTrigger": "Excluir Disparador da Tarefa", - "LabelVersionUpToDate": "Atualizado!", - "ButtonTakeTheTour": "Fa\u00e7a o tour", - "ButtonInbox": "Caixa de Entrada", - "HeaderPlotKeywords": "Palavras-chave da Trama", - "HeaderTags": "Tags", - "TabCast": "Elenco", - "WebClientTourMySync": "Sincronize sua m\u00eddia pessoal para seus dispositivos para assistir off-line.", - "TabScenes": "Cenas", - "DashboardTourSync": "Sincronize sua m\u00eddia pessoal para seus dispositivos para assistir off-line.", - "MessageRefreshQueued": "Atualiza\u00e7\u00e3o iniciada", - "DashboardTourHelp": "A ajuda dentro da app fornece bot\u00f5es para abrir p\u00e1ginas wiki relacionadas ao conte\u00fado na tela.", - "DeviceLastUsedByUserName": "Utilizado por \u00faltimo por {0}", - "HeaderDeleteDevice": "Excluir Dispositivo", - "DeleteDeviceConfirmation": "Deseja realmente excluir este dispositivo? Ele reaparecer\u00e1 da pr\u00f3xima vez que um usu\u00e1rio utiliz\u00e1-lo.", - "LabelEnableCameraUploadFor": "Habilitar envio atrav\u00e9s de c\u00e2mera para:", - "HeaderSelectUploadPath": "Selecionar o Caminho para Upload", - "LabelEnableCameraUploadForHelp": "Os uploads ocorrer\u00e3o automaticamente em segundo plano quando entrar no Emby.", - "ButtonLibraryAccess": "Acesso \u00e0 biblioteca", - "ButtonParentalControl": "Controle Parental", - "TabDevices": "Dispositivos", - "LabelItemLimit": "Limite de itens:", - "HeaderAdvanced": "Avan\u00e7ado", - "LabelItemLimitHelp": "Opcional. Defina o n\u00famero limite de itens que ser\u00e3o sincronizados.", - "MessageBookPluginRequired": "Requer a instala\u00e7\u00e3o do plugin Bookshelf", + "TabAlbums": "\u00c1lbuns", + "TabSongs": "M\u00fasicas", + "TabMusicVideos": "V\u00eddeos Musicais", + "BirthPlaceValue": "Local de nascimento: {0}", + "DeathDateValue": "Morte: {0}", + "BirthDateValue": "Nascimento: {0}", + "HeaderLatestReviews": "\u00daltimas Avalia\u00e7\u00f5es", + "HeaderPluginInstallation": "Instala\u00e7\u00e3o do plugin", + "MessageAlreadyInstalled": "Esta vers\u00e3o j\u00e1 est\u00e1 instalada.", + "ValueReviewCount": "{0} Avalia\u00e7\u00f5es", + "MessageYouHaveVersionInstalled": "Voc\u00ea possui a vers\u00e3o {0} instalada.", + "MessageTrialExpired": "O per\u00edodo de testes terminou", + "MessageTrialWillExpireIn": "O per\u00edodo de testes expirar\u00e1 em {0} dia(s)", + "MessageInstallPluginFromApp": "Este plugin deve ser instalado de dentro da app em que deseja us\u00e1-lo.", + "ValuePriceUSD": "Pre\u00e7o: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Voc\u00ea est\u00e1 registrado para este recurso e poder\u00e1 continuar usando-o com uma ades\u00e3o ativa de colaborador.", + "MessageChangeRecurringPlanConfirm": "Depois de completar esta transa\u00e7\u00e3o voc\u00ea precisar\u00e1 cancelar sua doa\u00e7\u00e3o recorrente anterior dentro da conta do PayPal. Obrigado por colaborar com o Emby.", + "MessageSupporterMembershipExpiredOn": "Sua ades\u00e3o de colaborador expirou em {0}.", + "MessageYouHaveALifetimeMembership": "Voc\u00ea possui uma ades\u00e3o de colaborador vital\u00edcia. Voc\u00ea pode fazer doa\u00e7\u00f5es adicionais individuais ou de forma recorrente, usando as op\u00e7\u00f5es abaixo. Obrigado por colaborar com o Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Voc\u00ea tem uma ades\u00e3o {0} ativa. Voc\u00ea pode atualizar seu plano usando as op\u00e7\u00f5es abaixo.", + "ButtonDelete": "Excluir", + "HeaderEmbyAccountAdded": "Conta do Emby Adicionada", + "MessageEmbyAccountAdded": "A conta do Emby foi adicionada para este usu\u00e1rio.", + "MessagePendingEmbyAccountAdded": "A conta do Emby foi adicionada para este usu\u00e1rio. Um email ser\u00e1 enviado para o dono da conta. O convite precisar\u00e1 ser confirmado clicando no link dentro do email.", + "HeaderEmbyAccountRemoved": "Conta do Emby Removida", + "MessageEmbyAccontRemoved": "A conta do Emby foi removida para este usu\u00e1rio.", + "TooltipLinkedToEmbyConnect": "Associada ao Emby Connect", + "HeaderUnrated": "N\u00e3o-classificado", + "ValueDiscNumber": "Disco {0}", + "HeaderUnknownDate": "Data Desconhecida", + "HeaderUnknownYear": "Ano Desconhecido", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Reproduzir com reprodutor externo", + "HeaderSelectExternalPlayer": "Selecionar Reprodutor Externo", + "HeaderExternalPlayerPlayback": "Reprodu\u00e7\u00e3o em Reprodutor Externo", + "ButtonImDone": "Pronto", + "OptionWatched": "Assistido", + "OptionUnwatched": "N\u00e3o-assistido", + "ExternalPlayerPlaystateOptionsHelp": "Defina como gostaria de retomar a reprodu\u00e7\u00e3o deste v\u00eddeo na pr\u00f3xima vez.", + "LabelMarkAs": "Marcar como:", + "OptionInProgress": "Em Reprodu\u00e7\u00e3o", + "LabelResumePoint": "Ponto para retomar:", + "ValueOneMovie": "1 filme", + "ValueMovieCount": "{0} filmes", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailers", + "ValueOneSeries": "1 s\u00e9rie", + "ValueSeriesCount": "{0} s\u00e9ries", + "ValueOneEpisode": "1 epis\u00f3dio", + "ValueEpisodeCount": "{0} epis\u00f3dios", + "ValueOneGame": "1 jogo", + "ValueGameCount": "{0} jogos", + "ValueOneAlbum": "1 \u00e1lbum", + "ValueAlbumCount": "{0} \u00e1lbuns", + "ValueOneSong": "1 m\u00fasica", + "ValueSongCount": "{0} m\u00fasicas", + "ValueOneMusicVideo": "1 v\u00eddeo musical", + "ValueMusicVideoCount": "{0} v\u00eddeos musicais", + "HeaderOffline": "Sem acesso", + "HeaderUnaired": "N\u00e3o-Exibido", + "HeaderMissing": "Ausente", + "ButtonWebsite": "Website", + "TooltipFavorite": "Favorito", + "TooltipLike": "Curti", + "TooltipDislike": "N\u00e3o curti", + "TooltipPlayed": "Reproduzido", + "ValueSeriesYearToPresent": "{0}-Presente", + "ValueAwards": "Pr\u00eamios: {0}", + "ValueBudget": "Or\u00e7amento: {0}", + "ValueRevenue": "Faturamento: {0}", + "ValuePremiered": "Estr\u00e9ia {0}", + "ValuePremieres": "Estr\u00e9ia {0}", + "ValueStudio": "Est\u00fadio: {0}", + "ValueStudios": "Est\u00fadios: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Especial - {0}", + "LabelLimit": "Limite:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "Pessoas", "HeaderCastAndCrew": "Elenco & Equipe", - "MessageGamePluginRequired": "Requer a instala\u00e7\u00e3o do plugin GameBrowser", "ValueArtist": "Artista: {0}", "ValueArtists": "Artistas: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Fabricante da c\u00e2mera", "MediaInfoCameraModel": "Modelo da c\u00e2mera", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Velocidade do obturador", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifica\u00e7\u00f5es", "HeaderIfYouLikeCheckTheseOut": "Se voc\u00ea gosta de {0}, veja isto...", + "HeaderPlotKeywords": "Palavras-chave da Trama", "HeaderMovies": "Filmes", "HeaderAlbums": "\u00c1lbuns", "HeaderGames": "Jogos", - "HeaderConnectionFailure": "Falha na Conex\u00e3o", "HeaderBooks": "Livros", - "MessageUnableToConnectToServer": "N\u00e3o foi poss\u00edvel conectar ao servidor selecionado. Por favor, certifique-se que esteja sendo executado e tente novamente.", - "MessageUnsetContentHelp": "O conte\u00fado ser\u00e1 exibido em pastas simples. Para melhor resultado, use o gerenciador de metadados para definir os tipos de conte\u00fado das sub-pastas.", + "HeaderEpisodes": "Epis\u00f3dios", "HeaderSeasons": "Temporadas", "HeaderTracks": "Faixas", "HeaderItems": "Itens", @@ -653,153 +632,178 @@ "ButtonFullReview": "Avalia\u00e7\u00e3o completa", "ValueAsRole": "como {0}", "ValueGuestStar": "Ator convidado", - "HeaderInviteGuest": "Convidar Usu\u00e1rio", "MediaInfoSize": "Tamanho", "MediaInfoPath": "Caminho", - "MessageConnectAccountRequiredToInviteGuest": "Para convidar pessoas voc\u00ea precisa primeiro associar sua conta do Emby a este servidor.", "MediaInfoFormat": "Formato", "MediaInfoContainer": "Recipiente", "MediaInfoDefault": "Padr\u00e3o", "MediaInfoForced": "For\u00e7ada", - "HeaderSettings": "Ajustes", "MediaInfoExternal": "Externa", - "OptionAutomaticallySyncNewContent": "Sincronizar novo conte\u00fado automaticamente", "MediaInfoTimestamp": "Data e hora", - "OptionAutomaticallySyncNewContentHelp": "Novo conte\u00fado adicionado ser\u00e1 automaticamente sincronizado com o dispositivo.", "MediaInfoPixelFormat": "Formato do pixel", - "OptionSyncUnwatchedVideosOnly": "Sincronizar apenas v\u00eddeos n\u00e3o assistidos", "MediaInfoBitDepth": "Bit da imagem", - "OptionSyncUnwatchedVideosOnlyHelp": "Apenas v\u00eddeos n\u00e3o assistidos ser\u00e3o sincronizados, e os v\u00eddeos ser\u00e3o removidos do dispositivo assim que forem assistidos.", "MediaInfoSampleRate": "Taxa da amostra", - "ButtonSync": "Sincronizar", "MediaInfoBitrate": "Taxa", "MediaInfoChannels": "Canais", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Idioma", - "ButtonUnlockPrice": "Desbloquear {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Perfil", "MediaInfoLevel": "N\u00edvel", - "HeaderSaySomethingLike": "Diga Alguma Coisa Como...", "MediaInfoAspectRatio": "Propor\u00e7\u00e3o da imagem", "MediaInfoResolution": "Resolu\u00e7\u00e3o", "MediaInfoAnamorphic": "Anam\u00f3rfico", - "ButtonTryAgain": "Tente Novamente", "MediaInfoInterlaced": "Entrela\u00e7ado", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "\u00c1udio", - "HeaderYouSaid": "Voc\u00ea Disse...", "MediaInfoStreamTypeData": "Dados", "MediaInfoStreamTypeVideo": "V\u00eddeo", "MediaInfoStreamTypeSubtitle": "Legenda", - "MessageWeDidntRecognizeCommand": "Desculpe, n\u00e3o reconhecemos este comando.", "MediaInfoStreamTypeEmbeddedImage": "Imagem Incorporada", "MediaInfoRefFrames": "Quadros de refer\u00eancia", - "MessageIfYouBlockedVoice": "Se voc\u00ea negou o acesso de voz \u00e0 app, voc\u00ea necessitar\u00e1 reconfigurar antes de tentar novamente.", - "MessageNoItemsFound": "Nenhum item encontrado.", + "TabPlayback": "Reprodu\u00e7\u00e3o", + "TabNotifications": "Notifica\u00e7\u00f5es", + "TabExpert": "Avan\u00e7ado", + "HeaderSelectCustomIntrosPath": "Selecionar o Caminho para Intros Personalizadas", + "HeaderRateAndReview": "Avaliar e Comentar", + "HeaderThankYou": "Obrigado", + "MessageThankYouForYourReview": "Obrigado por sua avalia\u00e7\u00e3o", + "LabelYourRating": "Sua avalia\u00e7\u00e3o:", + "LabelFullReview": "Coment\u00e1rio completo:", + "LabelShortRatingDescription": "Resumo da avalia\u00e7\u00e3o:", + "OptionIRecommendThisItem": "Eu recomendo este item", + "WebClientTourContent": "Veja suas m\u00eddias adicionadas recentemente, pr\u00f3ximos epis\u00f3dios e mais. Os c\u00edrculos verdes indicam quantos itens n\u00e3o reproduzidos voc\u00ea tem.", + "WebClientTourMovies": "Reproduza filmes, trailers e mais em qualquer dispositivo com um browser web.", + "WebClientTourMouseOver": "Posicione o mouse sobre qualquer capa para acessar rapidamente informa\u00e7\u00f5es importantes", + "WebClientTourTapHold": "Toque e mantenha ou clique com o bot\u00e3o direito do mouse sobre a capa para um menu contextual", + "WebClientTourMetadataManager": "Clique em editar para abrir o gerenciador de metadados", + "WebClientTourPlaylists": "Crie listas de reprodu\u00e7\u00e3o e mixes instant\u00e2neos e reproduza-os em qualquer dispositivo", + "WebClientTourCollections": "Crie cole\u00e7\u00f5es de filmes para agrupar colet\u00e2neas", + "WebClientTourUserPreferences1": "As prefer\u00eancias do usu\u00e1rio permitem que voc\u00ea personalize a forma como sua biblioteca \u00e9 apresentada em todas as apps do Emby", + "WebClientTourUserPreferences2": "Configure o idioma de seu \u00e1udio e legendas uma \u00fanica vez para todas as apps do Emby", + "WebClientTourUserPreferences3": "Defina a p\u00e1gina de in\u00edcio do cliente web, do seu gosto", + "WebClientTourUserPreferences4": "Configure imagens de fundo, m\u00fasicas-tema e reprodutores externos", + "WebClientTourMobile1": "O cliente web funciona perfeitamente em smartphones e tablets...", + "WebClientTourMobile2": "E controle facilmente outros dispositivos e apps do Emby", + "WebClientTourMySync": "Sincronize sua m\u00eddia pessoal para seus dispositivos para assistir off-line.", + "MessageEnjoyYourStay": "Divirta-se", + "DashboardTourDashboard": "O painel do servidor permite monitorar seu servidor e seus usu\u00e1rios. Voc\u00ea sempre poder\u00e1 saber quem est\u00e1 fazendo o qu\u00ea e onde est\u00e3o.", + "DashboardTourHelp": "A ajuda dentro da app fornece bot\u00f5es para abrir p\u00e1ginas wiki relacionadas ao conte\u00fado na tela.", + "DashboardTourUsers": "Crie facilmente contas de usu\u00e1rios para seus amigos e fam\u00edlia, cada um com sua permiss\u00e3o, acesso \u00e0 biblioteca, controle parental e mais.", + "DashboardTourCinemaMode": "O modo cinema traz a experi\u00eancia do cinema para sua sala, permitindo reproduzir trailers e intros personalizadas antes da fun\u00e7\u00e3o principal.", + "DashboardTourChapters": "Ative a gera\u00e7\u00e3o de imagem dos cap\u00edtulos de seus v\u00eddeos para ter uma apresenta\u00e7\u00e3o mais prazeirosa.", + "DashboardTourSubtitles": "Fa\u00e7a download de legendas para os seus v\u00eddeos, em qualquer idioma, automaticamente.", + "DashboardTourPlugins": "Instale plugins, como os canais de v\u00eddeo de internet, tv ao vivo, rastreadores de metadados e mais.", + "DashboardTourNotifications": "Envie, automaticamente, notifica\u00e7\u00f5es de eventos do servidor para seus dispositivos m\u00f3veis, email e mais.", + "DashboardTourScheduledTasks": "Gerencie facilmente opera\u00e7\u00f5es longas com tarefas agendadas. Decida quando executar e com que frequ\u00eancia.", + "DashboardTourMobile": "O painel do Servidor Emby funciona perfeitamente em smartphones e tablets. Gerencie seu servidor da palma de sua m\u00e3o a qualquer hora, em qualquer lugar.", + "DashboardTourSync": "Sincronize sua m\u00eddia pessoal para seus dispositivos para assistir off-line.", + "MessageRefreshQueued": "Atualiza\u00e7\u00e3o iniciada", + "TabDevices": "Dispositivos", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "Utilizado por \u00faltimo por {0}", + "HeaderDeleteDevice": "Excluir Dispositivo", + "DeleteDeviceConfirmation": "Deseja realmente excluir este dispositivo? Ele reaparecer\u00e1 da pr\u00f3xima vez que um usu\u00e1rio utiliz\u00e1-lo.", + "LabelEnableCameraUploadFor": "Habilitar envio atrav\u00e9s de c\u00e2mera para:", + "HeaderSelectUploadPath": "Selecionar o Caminho para Upload", + "LabelEnableCameraUploadForHelp": "Os uploads ocorrer\u00e3o automaticamente em segundo plano quando entrar no Emby.", + "ErrorMessageStartHourGreaterThanEnd": "A hora final deve ser maior que a hora inicial.", + "ButtonLibraryAccess": "Acesso \u00e0 biblioteca", + "ButtonParentalControl": "Controle Parental", + "HeaderInvitationSent": "Convite Enviado", + "MessageInvitationSentToUser": "Um email foi enviado para {0}, convidando para aceitar seu convite de compartilhamento.", + "MessageInvitationSentToNewUser": "Um email foi enviado para {0} convidando para inscrever-se no Emby.", + "HeaderConnectionFailure": "Falha na Conex\u00e3o", + "MessageUnableToConnectToServer": "N\u00e3o foi poss\u00edvel conectar ao servidor selecionado. Por favor, certifique-se que esteja sendo executado e tente novamente.", "ButtonSelectServer": "Selecionar Servidor", - "ButtonManageServer": "Gerenciar Servidor", "MessagePluginConfigurationRequiresLocalAccess": "Para configurar este plugin, por favor entre em seu servidor local diretamente.", - "ButtonPreferences": "Prefer\u00eancias", - "ButtonViewArtist": "Ver artista", - "ButtonViewAlbum": "Ver \u00e1lbum", "MessageLoggedOutParentalControl": "O acesso est\u00e1 atualmente restrito. Por favor, tente mais tarde.", - "EmbyIntroDownloadMessage": "Para fazer o download e instalar o Servidor Emby visite {0}.", - "LabelProfile": "Perfil:", + "DefaultErrorMessage": "Ocorreu um erro ao processar o pedido. Por favor, tente novamente mais tarde.", + "ButtonAccept": "Aceitar", + "ButtonReject": "Rejeitar", + "HeaderForgotPassword": "Esqueci a Senha", + "MessageContactAdminToResetPassword": "Por favor, contate o administrador do sistema para redefinir sua senha.", + "MessageForgotPasswordInNetworkRequired": "Por favor, tente novamente dentro da rede de sua casa para iniciar o processo para redefinir a senha.", + "MessageForgotPasswordFileCreated": "O seguinte arquivo foi criado no seu servidor e cont\u00e9m instru\u00e7\u00f5es de como proceder:", + "MessageForgotPasswordFileExpiration": "O c\u00f3digo para redefini\u00e7\u00e3o expirar\u00e1 \u00e0s {0}.", + "MessageInvalidForgotPasswordPin": "Foi digitado um c\u00f3digo inv\u00e1lido ou expirado. Por favor, tente novamente.", + "MessagePasswordResetForUsers": "Foram removidas as senhas dos seguintes usu\u00e1rios:", + "HeaderInviteGuest": "Convidar Usu\u00e1rio", + "ButtonLinkMyEmbyAccount": "Associar minha conta agora", + "MessageConnectAccountRequiredToInviteGuest": "Para convidar pessoas voc\u00ea precisa primeiro associar sua conta do Emby a este servidor.", + "ButtonSync": "Sincronizar", "SyncMedia": "Sincronizar M\u00eddia", - "ButtonNewServer": "Novo Servidor", - "LabelBitrateMbps": "Taxa (Mbps):", "HeaderCancelSyncJob": "Cancelar Sincroniza\u00e7\u00e3o", "CancelSyncJobConfirmation": "Cancelar a tarefa de sincroniza\u00e7\u00e3o remover\u00e1 m\u00eddias sincronizadas do dispositivo durante o pr\u00f3ximo processo de sincroniza\u00e7\u00e3o. Deseja realmente proceder?", + "TabSync": "Sincroniza\u00e7\u00e3o", "MessagePleaseSelectDeviceToSyncTo": "Por favor, selecione um dispositivo para sincronizar.", - "ButtonSignInWithConnect": "Entrar no Emby Connect", "MessageSyncJobCreated": "Tarefa de sincroniza\u00e7\u00e3o criada.", "LabelSyncTo": "Sincronizar para:", - "LabelLimit": "Limite:", "LabelSyncJobName": "Nome da tarefa de sincroniza\u00e7\u00e3o:", - "HeaderNewServer": "Novo Servidor", - "ValueLinks": "Links: {0}", "LabelQuality": "Qualidade:", - "MyDevice": "Meu Dispositivo", - "DefaultErrorMessage": "Ocorreu um erro ao processar o pedido. Por favor, tente novamente mais tarde.", - "ButtonRemote": "Remoto", - "ButtonAccept": "Aceitar", - "ButtonReject": "Rejeitar", - "DashboardTourDashboard": "O painel do servidor permite monitorar seu servidor e seus usu\u00e1rios. Voc\u00ea sempre poder\u00e1 saber quem est\u00e1 fazendo o qu\u00ea e onde est\u00e3o.", - "DashboardTourUsers": "Crie facilmente contas de usu\u00e1rios para seus amigos e fam\u00edlia, cada um com sua permiss\u00e3o, acesso \u00e0 biblioteca, controle parental e mais.", - "DashboardTourCinemaMode": "O modo cinema traz a experi\u00eancia do cinema para sua sala, permitindo reproduzir trailers e intros personalizadas antes da fun\u00e7\u00e3o principal.", - "DashboardTourChapters": "Ative a gera\u00e7\u00e3o de imagem dos cap\u00edtulos de seus v\u00eddeos para ter uma apresenta\u00e7\u00e3o mais prazeirosa.", - "DashboardTourSubtitles": "Fa\u00e7a download de legendas para os seus v\u00eddeos, em qualquer idioma, automaticamente.", - "DashboardTourPlugins": "Instale plugins, como os canais de v\u00eddeo de internet, tv ao vivo, rastreadores de metadados e mais.", - "DashboardTourNotifications": "Envie, automaticamente, notifica\u00e7\u00f5es de eventos do servidor para seus dispositivos m\u00f3veis, email e mais.", - "DashboardTourScheduledTasks": "Gerencie facilmente opera\u00e7\u00f5es longas com tarefas agendadas. Decida quando executar e com que frequ\u00eancia.", - "DashboardTourMobile": "O painel do Servidor Emby funciona perfeitamente em smartphones e tablets. Gerencie seu servidor da palma de sua m\u00e3o a qualquer hora, em qualquer lugar.", - "HeaderEpisodes": "Epis\u00f3dios", - "HeaderSelectCustomIntrosPath": "Selecionar o Caminho para Intros Personalizadas", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Ajustes", + "OptionAutomaticallySyncNewContent": "Sincronizar novo conte\u00fado automaticamente", + "OptionAutomaticallySyncNewContentHelp": "Novo conte\u00fado adicionado ser\u00e1 automaticamente sincronizado com o dispositivo.", + "OptionSyncUnwatchedVideosOnly": "Sincronizar apenas v\u00eddeos n\u00e3o assistidos", + "OptionSyncUnwatchedVideosOnlyHelp": "Apenas v\u00eddeos n\u00e3o assistidos ser\u00e3o sincronizados, e os v\u00eddeos ser\u00e3o removidos do dispositivo assim que forem assistidos.", + "LabelItemLimit": "Limite de itens:", + "LabelItemLimitHelp": "Opcional. Defina o n\u00famero limite de itens que ser\u00e3o sincronizados.", + "MessageBookPluginRequired": "Requer a instala\u00e7\u00e3o do plugin Bookshelf", + "MessageGamePluginRequired": "Requer a instala\u00e7\u00e3o do plugin GameBrowser", + "MessageUnsetContentHelp": "O conte\u00fado ser\u00e1 exibido em pastas simples. Para melhor resultado, use o gerenciador de metadados para definir os tipos de conte\u00fado das sub-pastas.", "SyncJobItemStatusQueued": "Enfileirado", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Convertendo", "SyncJobItemStatusTransferring": "Transferindo", "SyncJobItemStatusSynced": "Sincronizado", - "TabSync": "Sincroniza\u00e7\u00e3o", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Falhou", - "TabPlayback": "Reprodu\u00e7\u00e3o", "SyncJobItemStatusRemovedFromDevice": "Removido do dispositivo", "SyncJobItemStatusCancelled": "Cancelado", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Perfil:", + "LabelBitrateMbps": "Taxa (Mbps):", + "EmbyIntroDownloadMessage": "Para fazer o download e instalar o Servidor Emby visite {0}.", + "ButtonNewServer": "Novo Servidor", + "ButtonSignInWithConnect": "Entrar no Emby Connect", + "HeaderNewServer": "Novo Servidor", + "MyDevice": "Meu Dispositivo", + "ButtonRemote": "Remoto", + "TabInfo": "Info", + "TabCast": "Elenco", + "TabScenes": "Cenas", "HeaderUnlockApp": "Desbloquear App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Desbloquear as caracter\u00edsticas completas da app com uma compra f\u00e1cil \u00fanica.", "MessageUnlockAppWithPurchaseOrSupporter": "Desbloquear as caracter\u00edsticas completas da app com uma compra f\u00e1cil \u00fanica ou entrando com uma Ades\u00e3o ativa de Colaborador do Emby.", "MessageUnlockAppWithSupporter": "Desbloquear as caracter\u00edsticas completas da app com uma Conta ativa de Colaborador do Emby.", "MessageToValidateSupporter": "Se voc\u00ea possui uma Conta ativa de Colaborador do Emby, simplesmente entre na app usando a conex\u00e3o de Wifi de sua rede dom\u00e9stica.", "MessagePaymentServicesUnavailable": "Servi\u00e7os de pagamento est\u00e3o indispon\u00edveis no momento. Por favor, tente novamente mais tarde.", "ButtonUnlockWithSupporter": "Entre com a Conta de Colaborador do Emby", - "HeaderForgotPassword": "Esqueci a Senha", - "MessageContactAdminToResetPassword": "Por favor, contate o administrador do sistema para redefinir sua senha.", - "MessageForgotPasswordInNetworkRequired": "Por favor, tente novamente dentro da rede de sua casa para iniciar o processo para redefinir a senha.", "MessagePleaseSignInLocalNetwork": "Antes de continuar, por favor assegure-se que esteja conectado \u00e0 sua rede local usando Wifi ou uma conex\u00e3o de rede.", - "MessageForgotPasswordFileCreated": "O seguinte arquivo foi criado no seu servidor e cont\u00e9m instru\u00e7\u00f5es de como proceder:", - "TabExpert": "Avan\u00e7ado", - "HeaderInvitationSent": "Convite Enviado", - "MessageForgotPasswordFileExpiration": "O c\u00f3digo para redefini\u00e7\u00e3o expirar\u00e1 \u00e0s {0}.", - "MessageInvitationSentToUser": "Um email foi enviado para {0}, convidando para aceitar seu convite de compartilhamento.", - "MessageInvalidForgotPasswordPin": "Foi digitado um c\u00f3digo inv\u00e1lido ou expirado. Por favor, tente novamente.", "ButtonUnlockWithPurchase": "Desbloquear com Compra", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "Um email foi enviado para {0} convidando para inscrever-se no Emby.", - "MessagePasswordResetForUsers": "Foram removidas as senhas dos seguintes usu\u00e1rios:", + "ButtonUnlockPrice": "Desbloquear {0}", "MessageLiveTvGuideRequiresUnlock": "O Guia de TV ao Vivo est\u00e1 atualmente limitado a {0} canais. Clique no bot\u00e3o desbloquear para saber como aproveitar a experi\u00eancia completa.", - "WebClientTourContent": "Veja suas m\u00eddias adicionadas recentemente, pr\u00f3ximos epis\u00f3dios e mais. Os c\u00edrculos verdes indicam quantos itens n\u00e3o reproduzidos voc\u00ea tem.", - "HeaderPeople": "Pessoas", "OptionEnableFullscreen": "Ativar Tela Cheia", - "WebClientTourMovies": "Reproduza filmes, trailers e mais em qualquer dispositivo com um browser web.", - "WebClientTourMouseOver": "Posicione o mouse sobre qualquer capa para acessar rapidamente informa\u00e7\u00f5es importantes", - "HeaderRateAndReview": "Avaliar e Comentar", - "ErrorMessageStartHourGreaterThanEnd": "A hora final deve ser maior que a hora inicial.", - "WebClientTourTapHold": "Toque e mantenha ou clique com o bot\u00e3o direito do mouse sobre a capa para um menu contextual", - "HeaderThankYou": "Obrigado", - "TabInfo": "Info", "ButtonServer": "Servidor", - "WebClientTourMetadataManager": "Clique em editar para abrir o gerenciador de metadados", - "MessageThankYouForYourReview": "Obrigado por sua avalia\u00e7\u00e3o", - "WebClientTourPlaylists": "Crie listas de reprodu\u00e7\u00e3o e mixes instant\u00e2neos e reproduza-os em qualquer dispositivo", - "LabelYourRating": "Sua avalia\u00e7\u00e3o:", - "WebClientTourCollections": "Crie cole\u00e7\u00f5es de filmes para agrupar colet\u00e2neas", - "LabelFullReview": "Coment\u00e1rio completo:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "As prefer\u00eancias do usu\u00e1rio permitem que voc\u00ea personalize a forma como sua biblioteca \u00e9 apresentada em todas as apps do Emby", - "LabelShortRatingDescription": "Resumo da avalia\u00e7\u00e3o:", - "WebClientTourUserPreferences2": "Configure o idioma de seu \u00e1udio e legendas uma \u00fanica vez para todas as apps do Emby", - "OptionIRecommendThisItem": "Eu recomendo este item", - "ButtonLinkMyEmbyAccount": "Associar minha conta agora", - "WebClientTourUserPreferences3": "Defina a p\u00e1gina de in\u00edcio do cliente web, do seu gosto", "HeaderLibrary": "Biblioteca", - "WebClientTourUserPreferences4": "Configure imagens de fundo, m\u00fasicas-tema e reprodutores externos", - "WebClientTourMobile1": "O cliente web funciona perfeitamente em smartphones e tablets...", - "WebClientTourMobile2": "E controle facilmente outros dispositivos e apps do Emby", "HeaderMedia": "M\u00eddia", - "MessageEnjoyYourStay": "Divirta-se" + "ButtonInbox": "Caixa de Entrada", + "HeaderAdvanced": "Avan\u00e7ado", + "HeaderGroupVersions": "Agrupar Vers\u00f5es", + "HeaderSaySomethingLike": "Diga Alguma Coisa Como...", + "ButtonTryAgain": "Tente Novamente", + "HeaderYouSaid": "Voc\u00ea Disse...", + "MessageWeDidntRecognizeCommand": "Desculpe, n\u00e3o reconhecemos este comando.", + "MessageIfYouBlockedVoice": "Se voc\u00ea negou o acesso de voz \u00e0 app, voc\u00ea necessitar\u00e1 reconfigurar antes de tentar novamente.", + "MessageNoItemsFound": "Nenhum item encontrado.", + "ButtonManageServer": "Gerenciar Servidor", + "ButtonPreferences": "Prefer\u00eancias", + "ButtonViewArtist": "Ver artista", + "ButtonViewAlbum": "Ver \u00e1lbum", + "ErrorMessagePasswordNotMatchConfirm": "A senha e a confirma\u00e7\u00e3o de senha devem ser iguais.", + "ErrorMessageUsernameInUse": "O nome do usu\u00e1rio j\u00e1 est\u00e1 em uso. Por favor, escolha um novo nome e tente novamente.", + "ErrorMessageEmailInUse": "O endere\u00e7o de email j\u00e1 est\u00e1 em uso. Por favor, digite um novo endere\u00e7o de email e tente novamente ou use o recurso de senha esquecida.", + "MessageThankYouForConnectSignUp": "Obrigado por inscrever-se no Emby Connect. Um email ser\u00e1 enviado para seu endere\u00e7o com as instru\u00e7\u00f5es para confirmar sua nova conta. Por favor, confirme a conta e ent\u00e3o volte aqui para entrar.", + "HeaderShare": "Compartilhar", + "ButtonShareHelp": "Compartilhe uma p\u00e1gina web contendo informa\u00e7\u00f5es de m\u00eddia com uma m\u00eddia social. Os arquivos de m\u00eddia nunca ser\u00e3o compartilhados publicamente.", + "ButtonShare": "Compartilhar", + "HeaderConfirm": "Confirmar" } \ 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 a1fee8bf2b..6248bb0997 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt-PT.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt-PT.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Configura\u00e7\u00f5es guardadas.", + "AddUser": "Adicionar Utilizador", + "Users": "Utilizadores", + "Delete": "Apagar", + "Administrator": "Administrador", + "Password": "Senha", + "DeleteImage": "Apagar Imagem", + "MessageThankYouForSupporting": "Obrigado por suportar o Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Tem a certeza que deseja apagar a imagem?", + "FileReadCancelled": "A leitura do ficheiro foi cancelada.", + "FileNotFound": "Ficheiro n\u00e3o encontrado.", + "FileReadError": "Ocorreu um erro ao ler o ficheiro.", + "DeleteUser": "Apagar Utilizador", + "DeleteUserConfirmation": "Tem a certeza que deseja apagar este utilizador?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "A senha foi redefinida.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Tem a certeza que deseja redefinir a senha?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Senha guardada.", + "PasswordMatchError": "A senha e a confirma\u00e7\u00e3o da senha devem coincidir.", + "OptionRelease": "Lan\u00e7amento Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inst\u00e1vel)", + "UninstallPluginHeader": "Desinstalar extens\u00e3o", + "UninstallPluginConfirmation": "Tem a certeza que deseja desinstalar {0}?", + "NoPluginConfigurationMessage": "Esta extens\u00e3o n\u00e3o \u00e9 configur\u00e1vel.", + "NoPluginsInstalledMessage": "N\u00e3o tem extens\u00f5es instaladas.", + "BrowsePluginCatalogMessage": "Navegue o nosso cat\u00e1logo de extens\u00f5es, para ver as extens\u00f5es dispon\u00edveis.", + "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.", + "HeaderSupportTheTeam": "Suporte a Equipa do Emby", + "TextEnjoyBonusFeatures": "Aproveite os Extras", + "TitleLiveTV": "TV ao Vivo", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sincronizar", + "HeaderSelectDate": "Selecionar Data", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Doa\u00e7\u00f5es recorrentes podem ser canceladas a qualquer momento dentro da sua conta do PayPal.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Utilizadores", + "PluginCategoryGeneral": "Geral", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Temas", + "PluginCategorySync": "Sincroniza\u00e7\u00e3o", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadados", + "PluginCategoryLiveTV": "TV ao Vivo", + "PluginCategoryChannel": "Canais", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "S\u00e9rie", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(falhou)", + "ButtonHelp": "Ajuda", + "ButtonSave": "Guardar", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Em lista de espera", + "SyncJobStatusConverting": "A Converter", + "SyncJobStatusFailed": "Falhou", + "SyncJobStatusCancelled": "Cancelado", + "SyncJobStatusCompleted": "Sincronizado", + "SyncJobStatusReadyToTransfer": "Pronto para Transferir", + "SyncJobStatusTransferring": "A Transferir", + "SyncJobStatusCompletedWithError": "Sincronizado com erros", + "SyncJobItemStatusReadyToTransfer": "Pronto para Transferir", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", + "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Guerra das Estrelas", + "OptionSearchForInternetMetadata": "Procurar na internet por imagens e metadados", + "LabelSelectCollection": "Selecione a cole\u00e7\u00e3o:", + "HeaderDevices": "Dispositivos", + "ButtonScheduledTasks": "Tarefas agendadas", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "Uma conta de Apoiante fornece benef\u00edcios adicionais como acesso \u00e0 sincroniza\u00e7\u00e3o, extens\u00f5es premium, conte\u00fados de canais da internet e mais. {0}Saiba mais{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Fa\u00e7a o tour", + "HeaderWelcomeBack": "Bem-vindo!", + "TitlePlugins": "Extens\u00f5es", + "ButtonTakeTheTourToSeeWhatsNew": "Fa\u00e7a o tour para ver as novidades", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remo\u00e7\u00e3o", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Reiniciar", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Guerra das Estrelas", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Procurar na internet por imagens e metadados", - "ButtonUpdateNow": "Atualizar Agora", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Erro na Reprodu\u00e7\u00e3o", + "MessagePlaybackErrorNotAllowed": "N\u00e3o est\u00e1 autorizado a reproduzir este conte\u00fado. Por favor, contacte o administrador do sistema para mais detalhes.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Parar", + "ButtonNextTrack": "Pr\u00f3xima Faixa", + "ButtonPause": "Pausar", + "ButtonPlay": "Reproduzir", + "ButtonEdit": "Editar", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Faixa Anterior", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "Uma conta de Apoiante fornece benef\u00edcios adicionais como acesso \u00e0 sincroniza\u00e7\u00e3o, extens\u00f5es premium, conte\u00fados de canais da internet e mais. {0}Saiba mais{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "\u00daltimos Itens de Canais", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Epis\u00f3dios", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", "RecommendationBecauseYouLike": "Porque gosta de {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Adicionar", - "HeaderSubtitles": "Subtitles", - "ButtonView": "Visualizar", "RecommendationBecauseYouWatched": "Porque viu {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Realizado por {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "{0} como protagonista", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Painel Principal", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Ajuda", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Desligado", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "Ligado", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Lan\u00e7amento Oficial", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Inst\u00e1vel)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Desinstalar extens\u00e3o", - "ButtonMute": "Mute", - "HeaderRestart": "Reiniciar", - "UninstallPluginConfirmation": "Tem a certeza que deseja desinstalar {0}?", - "HeaderShutdown": "Encerrar", - "NoPluginConfigurationMessage": "Esta extens\u00e3o n\u00e3o \u00e9 configur\u00e1vel.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "N\u00e3o tem extens\u00f5es instaladas.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Navegue o nosso cat\u00e1logo de extens\u00f5es, para ver as extens\u00f5es dispon\u00edveis.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Aproveite os Extras", - "ButtonHome": "In\u00edcio", + "OptionSunday": "Domingo", + "OptionMonday": "Segunda", + "OptionTuesday": "Ter\u00e7a", + "OptionWednesday": "Quarta", + "OptionThursday": "Quinta", + "OptionFriday": "Sexta", + "OptionSaturday": "S\u00e1bado", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Pastas Multim\u00e9dia", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Cenas", - "HeaderNotifications": "Notifica\u00e7\u00f5es", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Reproduzir trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "A Converter", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Falhou", - "SyncJobStatusCancelled": "Cancelado", - "SyncJobStatusTransferring": "A Transferir", - "FolderTypeUnset": "Unset (mixed content)", - "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.", - "HeaderUsers": "Utilizadores", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "HeaderResume": "Resumir", - "HeaderVideoError": "Video Error", + "HeaderMyViews": "My Views", + "HeaderLibraryFolders": "Pastas multim\u00e9dia", + "HeaderLatestMedia": "Latest Media", + "ButtonMoreItems": "Mais...", + "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": "Adicionar", + "ButtonRemove": "Remover", + "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": "\u00daltimos Itens de Canais", + "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": "Reiniciar", + "HeaderShutdown": "Encerrar", + "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Atualizar Agora", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Mais recentes de {0}", + "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", - "TabSongs": "M\u00fasicas", - "TabAlbums": "\u00c1lbuns", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "Cenas", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Subtitles", + "HeaderVideoQuality": "Video Quality", + "MessageErrorPlayingVideo": "There was an error playing the video.", + "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", + "ButtonHome": "In\u00edcio", + "ButtonDashboard": "Painel Principal", + "ButtonReports": "Reports", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Time", + "HeaderName": "Nome", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Canais", + "HeaderMediaFolders": "Pastas Multim\u00e9dia", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Videos Musicais", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Dispositivos", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Dura\u00e7\u00e3o", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Data de lan\u00e7amento", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "Geral", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Bem-vindo novamente!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Terminado", + "OptionContinuing": "A Continuar", + "OptionOff": "Desligado", + "OptionOn": "Ligado", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Fa\u00e7a o tour para ver as novidades", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", - "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Doa\u00e7\u00f5es recorrentes podem ser canceladas a qualquer momento dentro da sua conta do PayPal.", - "ButtonRevoke": "Revoke", + "HeaderLiveTV": "TV ao Vivo", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Temas", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sincroniza\u00e7\u00e3o", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Em lista de espera", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Tarefas agendadas", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Sincronizado", + "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadados", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Sincronizado com erros", + "OptionRuntime": "Dura\u00e7\u00e3o", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "TV ao Vivo", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marcado para remo\u00e7\u00e3o", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Canais", - "HeaderLibraryFolders": "Pastas multim\u00e9dia", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Reiniciar", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Extens\u00f5es", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancelar", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sincronizar", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", - "TabUsers": "Users", - "LabelEndDate": "End date:", + "TabServer": "Servidor", + "TabUsers": "Utilizadores", "TabLibrary": "Biblioteca", - "LabelYear": "Year:", + "TabMetadata": "Metadados", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", - "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", - "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", + "TabLiveTV": "TV ao Vivo", + "TabAutoOrganize": "Organiza\u00e7\u00e3o Autom\u00e1tica", "TabPlugins": "Extens\u00f5es", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Avan\u00e7ado", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Tarefas Agendadas", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Mais recentes de {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Ecr\u00e3 cheio", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Cenas", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Legendas", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Faixas de \u00e1udio", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Faixa Anterior", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Pr\u00f3xima Faixa", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Parar", - "OptionNewCollection": "New...", - "ButtonPause": "Pausar", - "TabMovies": "Filmes", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmes", - "LabelCollection": "Collection", - "FolderTypeMusic": "M\u00fasica", - "FolderTypeAdultVideos": "V\u00eddeos adultos", - "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "V\u00eddeos musicais", - "SettingsSaved": "Configura\u00e7\u00f5es guardadas.", - "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", - "FolderTypeHomeVideos": "V\u00eddeos caseiros", - "AddUser": "Adicionar Utilizador", - "HeaderMenu": "Menu", - "FolderTypeGames": "Jogos", - "Users": "Utilizadores", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Livros", - "Delete": "Apagar", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Avan\u00e7ado", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrador", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Senha", - "ButtonNetwork": "Network", - "OptionContinuing": "A Continuar", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Terminado", - "ButtonResume": "Resume", + "ButtonSubtitles": "Legendas", + "ButtonScenes": "Cenas", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifica\u00e7\u00f5es", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Selecionar", + "ButtonNew": "Novo", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Apagar Imagem", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Selecione a cole\u00e7\u00e3o:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Tem a certeza que deseja apagar a imagem?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Domingo", + "LabelName": "Nome:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "A leitura do ficheiro foi cancelada.", - "OptionMonday": "Segunda", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Ficheiro n\u00e3o encontrado.", - "HeaderPlaybackError": "Erro na Reprodu\u00e7\u00e3o", - "OptionTuesday": "Ter\u00e7a", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Ocorreu um erro ao ler o ficheiro.", - "HeaderName": "Nome", - "OptionWednesday": "Quarta", + "ButtonView": "Visualizar", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "\u00c1udio", + "HeaderResolution": "Resolution", + "HeaderVideo": "V\u00eddeo", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "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": "Filmes", "OptionCollections": "Collections", - "DeleteUser": "Apagar Utilizador", - "OptionThursday": "Quinta", "OptionSeries": "Series", - "DeleteUserConfirmation": "Tem a certeza que deseja apagar este utilizador?", - "MessagePlaybackErrorNotAllowed": "N\u00e3o est\u00e1 autorizado a reproduzir este conte\u00fado. Por favor, contacte o administrador do sistema para mais detalhes.", - "OptionFriday": "Sexta", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "S\u00e1bado", + "OptionEpisodes": "Epis\u00f3dios", "OptionGames": "Games", - "PasswordResetComplete": "A senha foi redefinida.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Tem a certeza que deseja redefinir a senha?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Senha guardada.", - "HeaderAudio": "\u00c1udio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "A senha e a confirma\u00e7\u00e3o da senha devem coincidir.", - "HeaderResolution": "Resolution", - "LabelFailed": "(falhou)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "V\u00eddeo", - "ButtonSelect": "Selecionar", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Guardar", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "S\u00e9rie", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "N\u00famero da temporada:", - "HeaderChannels": "Canais", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Servidor", - "TabSeries": "S\u00e9ries", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Suporte a Equipa do Emby", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Novo", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadados", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Nome:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remover", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Filmes", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "V\u00eddeos adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "V\u00eddeos musicais", + "FolderTypeHomeVideos": "V\u00eddeos caseiros", + "FolderTypeGames": "Jogos", + "FolderTypeBooks": "Livros", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmes", + "TabSeries": "S\u00e9ries", + "TabEpisodes": "Epis\u00f3dios", + "TabTrailers": "Trailers", + "TabGames": "Jogos", + "TabAlbums": "\u00c1lbuns", + "TabSongs": "M\u00fasicas", + "TabMusicVideos": "Videos Musicais", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Remover", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Pronto para Transferir", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Pronto para Transferir", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Reproduzir", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Jogos", - "ButtonEdit": "Editar", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Remover", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Filmes", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Epis\u00f3dios", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "TV ao Vivo", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Fa\u00e7a o tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Dispositivos", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Avan\u00e7ado", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifica\u00e7\u00f5es", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Epis\u00f3dios", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sincronizar", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Reprodu\u00e7\u00e3o", + "TabNotifications": "Notifica\u00e7\u00f5es", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "MessageEnjoyYourStay": "Enjoy your stay", + "DashboardTourDashboard": "O Painel Principal do servidor permite monitorizar o seu servidor e os seus utilizadores. Poder\u00e1 sempre saber onde est\u00e3o e o que est\u00e3o a fazer.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "DashboardTourUsers": "Easily create user accounts for your friends and family, each with their own permissions, library access, parental controls and more.", + "DashboardTourCinemaMode": "O modo cinema traz a experi\u00eancia do cinema para a sua sala, possibilitando reproduzir trailers e introdu\u00e7\u00f5es personalizadas antes da longa-metragem.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Dispositivos", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sincronizar", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sincroniza\u00e7\u00e3o", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "DashboardTourDashboard": "O Painel Principal do servidor permite monitorizar o seu servidor e os seus utilizadores. Poder\u00e1 sempre saber onde est\u00e3o e o que est\u00e3o a fazer.", - "DashboardTourUsers": "Easily create user accounts for your friends and family, each with their own permissions, library access, parental controls and more.", - "DashboardTourCinemaMode": "O modo cinema traz a experi\u00eancia do cinema para a sua sala, possibilitando reproduzir trailers e introdu\u00e7\u00f5es personalizadas antes da longa-metragem.", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Epis\u00f3dios", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sincroniza\u00e7\u00e3o", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Falhou", - "TabPlayback": "Reprodu\u00e7\u00e3o", "SyncJobItemStatusRemovedFromDevice": "Removido do dispositivo", "SyncJobItemStatusCancelled": "Cancelado", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Avan\u00e7ado", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ro.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ro.json index 29f37f5bc4..ee4c6610eb 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ro.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ro.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Bucura\u021bi-v\u0103 de caracteristicile Bonus", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Dona\u021biile recurente pot fi anulate \u00een orice moment din contul dvs. PayPal.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notificari", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Utilizatori", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Seriale", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(eroare)", + "ButtonHelp": "Ajutor", + "ButtonSave": "Salveaza", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Adauga la colectie", + "NewCollectionNameExample": "Exemplu: Star Wars Collection", + "OptionSearchForInternetMetadata": "C\u0103utare pe internet pentru postere \u0219i metadate", + "LabelSelectCollection": "Selecteaza colectia:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "Un membru sus\u021bin\u0103tor ofer\u0103 beneficii suplimentare, cum ar fi accesul la sincronizare, plugin-uri premium, con\u021binut internet, \u0219i multe altele. {0} Afla\u021bi mai multe {1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Fa turul", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugin-uri", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Accesul Dispozitivelor", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Exemplu: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "C\u0103utare pe internet pentru postere \u0219i metadate", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Pista urmatoare", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Pista anterioara", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "Un membru sus\u021bin\u0103tor ofer\u0103 beneficii suplimentare, cum ar fi accesul la sincronizare, plugin-uri premium, con\u021binut internet, \u0219i multe altele. {0} Afla\u021bi mai multe {1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episoade", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Ajutor", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Bucura\u021bi-v\u0103 de caracteristicile Bonus", - "ButtonHome": "Home", + "OptionSunday": "Duminica", + "OptionMonday": "Luni", + "OptionTuesday": "Marti", + "OptionWednesday": "Miercuri", + "OptionThursday": "Joi", + "OptionFriday": "Vineri", + "OptionSaturday": "Sambata", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Ruleaza trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notificari", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Reluare", + "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.", - "HeaderUsers": "Utilizatori", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Reluare", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Cantece", - "TabAlbums": "Albume", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Anuleaza", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Videoclipuri", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Timp Rulare", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Data lansare", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "S-a sfarsit", + "OptionContinuing": "Continua", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Dona\u021biile recurente pot fi anulate \u00een orice moment din contul dvs. PayPal.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Rating Parental", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Timp Rulare", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugin-uri", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Anuleaza", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadate", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Accesul Dispozitivelor", + "TabAdvanced": "Avansat", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Pe tot ecranul", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Piste audio", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Pista anterioara", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Pista urmatoare", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Filme", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailere", - "FolderTypeMovies": "Filme", - "LabelCollection": "Collection", - "FolderTypeMusic": "Muzica", - "FolderTypeAdultVideos": "Filme Porno", - "HeaderAddToCollection": "Adauga la colectie", - "FolderTypePhotos": "Fotografii", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Videoclipuri", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Rating Parental", - "FolderTypeHomeVideos": "Video Personale", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Jocuri", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Carti", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Avansat", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "Seriale TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continua", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "S-a sfarsit", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Select", + "ButtonNew": "Nou", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Selecteaza colectia:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Duminica", + "LabelName": "Nume:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Luni", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Marti", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Miercuri", + "ButtonView": "View", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "Trailers", + "HeaderAudio": "Muzica", + "HeaderResolution": "Resolution", + "HeaderVideo": "Filme", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Joi", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Vineri", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Sambata", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Muzica", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(eroare)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Filme", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Salveaza", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Seriale", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Nou", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadate", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Nume:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Filme", + "FolderTypeMusic": "Muzica", + "FolderTypeAdultVideos": "Filme Porno", + "FolderTypePhotos": "Fotografii", + "FolderTypeMusicVideos": "Videoclipuri", + "FolderTypeHomeVideos": "Video Personale", + "FolderTypeGames": "Jocuri", + "FolderTypeBooks": "Carti", + "FolderTypeTvShows": "Seriale TV", + "TabMovies": "Filme", + "TabSeries": "Series", + "TabEpisodes": "Episoade", + "TabTrailers": "Trailere", + "TabGames": "Games", + "TabAlbums": "Albume", + "TabSongs": "Cantece", + "TabMusicVideos": "Videoclipuri", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Fa turul", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notificari", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episoade", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notificari", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episoade", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 534ac3d93b..7b4d0f7ae6 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u044b.", + "AddUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "Users": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "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", + "MessageThankYouForSupporting": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby", + "MessagePleaseSupportProject": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 Emby", + "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.", + "FileReadError": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0447\u0442\u0435\u043d\u0438\u0438 \u0444\u0430\u0439\u043b\u0430.", + "DeleteUser": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "DeleteUserConfirmation": "\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 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f?", + "PasswordResetHeader": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", + "PasswordResetComplete": "\u041f\u0430\u0440\u043e\u043b\u044c \u0431\u044b\u043b \u0441\u0431\u0440\u043e\u0448\u0435\u043d.", + "PinCodeResetComplete": "PIN-\u043a\u043e\u0434 \u0431\u044b\u043b \u0441\u0431\u0440\u043e\u0448\u0435\u043d.", + "PasswordResetConfirmation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c?", + "PinCodeResetConfirmation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c PIN-\u043a\u043e\u0434?", + "HeaderPinCodeReset": "\u0421\u0431\u0440\u043e\u0441 PIN-\u043a\u043e\u0434\u0430", + "PasswordSaved": "\u041f\u0430\u0440\u043e\u043b\u044c \u0431\u044b\u043b \u0441\u043e\u0445\u0440\u0430\u043d\u0451\u043d.", + "PasswordMatchError": "\u041f\u0430\u0440\u043e\u043b\u044c \u0438 \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f \u0434\u043e\u043b\u0436\u043d\u044b \u0441\u043e\u0432\u043f\u0430\u0434\u0430\u0442\u044c", + "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0439 \u0432\u044b\u043f\u0443\u0441\u043a", + "OptionBeta": "\u0411\u0435\u0442\u0430-\u0432\u0435\u0440\u0441\u0438\u044f", + "OptionDev": "\u0420\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043e\u0447\u043d\u0430\u044f (\u043d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u044c\u043d\u0430\u044f)", + "UninstallPluginHeader": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u0430", + "UninstallPluginConfirmation": "\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 {0}?", + "NoPluginConfigurationMessage": "\u0412 \u0434\u0430\u043d\u043d\u043e\u043c \u043f\u043b\u0430\u0433\u0438\u043d\u0435 \u043d\u0435\u0442 \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043a.", + "NoPluginsInstalledMessage": "\u041d\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e \u043d\u0438 \u043e\u0434\u043d\u043e\u0433\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u0430.", + "BrowsePluginCatalogMessage": "\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 \u043e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u0438\u043c\u0435\u044e\u0449\u0438\u043c\u0438\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u0430\u043c\u0438.", + "MessageKeyEmailedTo": "\u041a\u043b\u044e\u0447 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d \u043d\u0430 {0}.", + "MessageKeysLinked": "\u041a\u043b\u044e\u0447\u0438 \u0441\u0432\u044f\u0437\u0430\u043d\u044b.", + "HeaderConfirmation": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435", + "MessageKeyUpdated": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0431\u044b\u043b \u043e\u0431\u043d\u043e\u0432\u043b\u0451\u043d.", + "MessageKeyRemoved": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0431\u044b\u043b \u0443\u0434\u0430\u043b\u0451\u043d.", + "HeaderSupportTheTeam": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 Emby", + "TextEnjoyBonusFeatures": "\u041f\u043e\u043b\u0443\u0447\u0438\u0442\u0435 \u0431\u043e\u043d\u0443\u0441\u043d\u044b\u0435 \u0444\u0443\u043d\u043a\u0446\u0438\u0438", + "TitleLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", + "ButtonCancelSyncJob": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e", + "TitleSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "HeaderSelectDate": "\u0412\u044b\u0431\u043e\u0440 \u0434\u0430\u0442\u044b", + "ButtonDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c", + "LabelRecurringDonationCanBeCancelledHelp": "\u0420\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u044b\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u0447\u0435\u0440\u0435\u0437 \u0432\u0430\u0448\u0443 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c PayPal.", + "HeaderMyMedia": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "TitleNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", + "ErrorLaunchingChromecast": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0437\u0430\u043f\u0443\u0441\u043a\u0435 Chromecast. \u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0432\u0430\u0448\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u043e \u043a \u0431\u0435\u0441\u043f\u0440\u043e\u0432\u043e\u0434\u043d\u043e\u0439 \u0441\u0435\u0442\u0438.", + "MessageErrorLoadingSupporterInfo": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438 \u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0435. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", + "MessageLinkYourSupporterKey": "\u0421\u0432\u044f\u0436\u0438\u0442\u0435 \u0432\u0430\u0448 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0441\u043e \u0432\u043f\u043b\u043e\u0442\u044c \u0434\u043e {0} \u0447\u043b\u0435\u043d\u043e\u0432 Emby Connect, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u043c \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c:", + "HeaderConfirmRemoveUser": "\u0418\u0437\u044a\u044f\u0442\u0438\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "MessageSwipeDownOnRemoteControl": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0441 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u043c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435\u043c. \u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0435\u043c\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e, \u043d\u0430\u0436\u0430\u0432 \u043d\u0430 \u0437\u043d\u0430\u0447\u043e\u043a \u043a\u0430\u0441\u0442\u0430 \u0432 \u043f\u0440\u0430\u0432\u043e\u043c \u0432\u0435\u0440\u0445\u043d\u0435\u043c \u0443\u0433\u043b\u0443. \u041f\u0440\u043e\u0432\u0435\u0434\u0438\u0442\u0435 \u0432\u043d\u0438\u0437 \u0432 \u043b\u044e\u0431\u043e\u043c \u043c\u0435\u0441\u0442\u0435 \u043d\u0430 \u0434\u0430\u043d\u043d\u043e\u043c \u044d\u043a\u0440\u0430\u043d\u0435, \u0447\u0442\u043e\u0431\u044b \u0432\u0435\u0440\u043d\u0443\u0442\u044c\u0441\u044f \u0442\u0443\u0434\u0430, \u043e\u0442\u043a\u0443\u0434\u0430 \u0432\u044b \u043f\u0440\u0438\u0448\u043b\u0438.", + "MessageConfirmRemoveConnectSupporter": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f?", + "ValueTimeLimitSingleHour": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438: 1 \u0447\u0430\u0441", + "ValueTimeLimitMultiHour": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438: {0} \u0447\u0430\u0441(\u0430\/\u043e\u0432)", + "HeaderUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "PluginCategoryGeneral": "\u041e\u0431\u0449\u0438\u0435", + "PluginCategoryContentProvider": "\u041f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f", + "PluginCategoryScreenSaver": "\u0425\u0440\u0430\u043d\u0438\u0442\u0435\u043b\u0438 \u044d\u043a\u0440\u0430\u043d\u0430", + "PluginCategoryTheme": "\u0422\u0435\u043c\u044b", + "PluginCategorySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "PluginCategorySocialIntegration": "\u0421\u043e\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0435 \u0441\u0435\u0442\u0438", + "PluginCategoryNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", + "PluginCategoryMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "PluginCategoryLiveTV": "\u042d\u0444\u0438\u0440\u043d\u043e\u0435 \u0422\u0412", + "PluginCategoryChannel": "\u041a\u0430\u043d\u0430\u043b\u044b", + "HeaderSearch": "\u041f\u043e\u0438\u0441\u043a", + "ValueDateCreated": "\u0414\u0430\u0442\u0430 \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f: {0}", + "LabelArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", + "LabelMovie": "\u0424\u0438\u043b\u044c\u043c", + "LabelMusicVideo": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0438\u0434\u0435\u043e", + "LabelEpisode": "\u042d\u043f\u0438\u0437\u043e\u0434", + "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b", + "LabelStopping": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430", + "LabelCancelled": "(\u043e\u0442\u043c\u0435\u043d\u0435\u043d\u043e)", + "LabelFailed": "(\u043d\u0435\u0443\u0434\u0430\u0447\u043d\u043e)", + "ButtonHelp": "\u0421\u043f\u0440\u0430\u0432\u043a\u0430...", + "ButtonSave": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c", + "ButtonDownload": "\u0417\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c", + "SyncJobStatusQueued": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u0438", + "SyncJobStatusConverting": "\u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u0443\u0435\u0442\u0441\u044f", + "SyncJobStatusFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", + "SyncJobStatusCancelled": "\u041e\u0442\u043c\u0435\u043d\u0435\u043d\u043e", + "SyncJobStatusCompleted": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043e", + "SyncJobStatusReadyToTransfer": "\u0413\u043e\u0442\u043e\u0432\u043e \u043a \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0443", + "SyncJobStatusTransferring": "\u041f\u0435\u0440\u0435\u043d\u043e\u0441\u0438\u0442\u0441\u044f", + "SyncJobStatusCompletedWithError": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043e \u0441 \u043e\u0448\u0438\u0431\u043a\u0430\u043c\u0438", + "SyncJobItemStatusReadyToTransfer": "\u0413\u043e\u0442\u043e\u0432\u043e \u043a \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0443", + "LabelCollection": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f", + "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\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 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435", + "LabelSelectCollection": "\u0412\u044b\u0431\u043e\u0440 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438:", + "HeaderDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "ButtonScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a...", + "MessageItemsAdded": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442\u044b \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u044b", + "ButtonAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", + "HeaderSelectCertificatePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043a \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0443", + "ConfirmMessageScheduledTaskButton": "\u042d\u0442\u0430 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435 \u043e\u0431\u044b\u0447\u043d\u043e \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u0430\u043a \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u0437\u0430\u0434\u0430\u0447\u0430. \u042d\u0442\u043e \u0442\u0430\u043a\u0436\u0435 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e \u0432\u0440\u0443\u0447\u043d\u0443\u044e \u043e\u0442\u0441\u044e\u0434\u0430. \u0427\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443, \u0441\u043c.:", + "HeaderSupporterBenefit": "\u0427\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438, \u043f\u0440\u0435\u043c\u0438\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043b\u0430\u0433\u0438\u043d\u0430\u043c, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u043e\u0432 \u0438 \u0442.\u0434. {0}\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435{1}.", + "LabelSyncNoTargetsHelp": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e, \u043d\u0435 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u043e.", + "HeaderWelcomeToProjectServerDashboard": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438 Emby Server", + "HeaderWelcomeToProjectWebClient": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", + "ButtonTakeTheTour": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f", + "HeaderWelcomeBack": "\u0417\u0430\u0445\u043e\u0434\u0438\u0442\u0435 \u0435\u0449\u0451!", + "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u044b", + "ButtonTakeTheTourToSeeWhatsNew": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043d\u043e\u0432\u0430\u0446\u0438\u044f\u043c\u0438", + "MessageNoSyncJobsFound": "\u0417\u0430\u0434\u0430\u043d\u0438\u0439 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e. \u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u0437\u0430\u0434\u0430\u043d\u0438\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043a\u043d\u043e\u043f\u043e\u043a \u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c, \u043d\u0430\u0445\u043e\u0434\u044f\u0449\u0438\u0445\u0441\u044f \u043f\u043e \u0432\u0441\u0435\u043c\u0443 \u0432\u0435\u0431-\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0443.", + "ButtonPlayTrailer": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "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\u043e \u043a\u0430\u043d\u0430\u043b\u0430\u043c", + "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "HeaderSelectDevices": "\u0412\u044b\u0431\u043e\u0440 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "ButtonCancelItem": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u044d\u043b\u0435\u043c\u0435\u043d\u0442", + "ButtonQueueForRetry": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c \u0434\u043b\u044f \u043f\u043e\u0432\u0442\u043e\u0440\u0430", + "ButtonReenable": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u0432\u0442\u043e\u0440\u043d\u043e", + "ButtonLearnMore": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435", + "SyncJobItemStatusSyncedMarkForRemoval": "\u041e\u0442\u043c\u0435\u0447\u0435\u043d\u043e \u0434\u043b\u044f \u0438\u0437\u044a\u044f\u0442\u0438\u044f", + "LabelAbortedByServerShutdown": "(\u041f\u0440\u0435\u0440\u0432\u0430\u043d\u043e \u043e\u0442\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u0430)", + "LabelScheduledTaskLastRan": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u043b\u0430\u0441\u044c {0}, \u0437\u0430\u043d\u044f\u043b\u0430 {1}.", + "HeaderDeleteTaskTrigger": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430 \u0437\u0430\u0434\u0430\u0447\u0438", "HeaderTaskTriggers": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440\u044b \u0437\u0430\u0434\u0430\u0447\u0438", - "ButtonResetTuner": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0442\u044e\u043d\u0435\u0440", - "ButtonRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c", "MessageDeleteTaskTrigger": "\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 \u0442\u0440\u0438\u0433\u0433\u0435\u0440 \u0437\u0430\u0434\u0430\u0447\u0438?", - "HeaderResetTuner": "\u0421\u0431\u0440\u043e\u0441 \u0442\u044e\u043d\u0435\u0440\u0430", - "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)", "MessageNoPluginsInstalled": "\u041d\u0435\u0442 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044b\u0445 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432.", - "MessageConfirmResetTuner": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0442\u044e\u043d\u0435\u0440? \u041b\u044e\u0431\u044b\u0435 \u0430\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438 \u0438\u043b\u0438 \u0437\u0430\u043f\u0438\u0441\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432\u043d\u0435\u0437\u0430\u043f\u043d\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u044b.", - "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 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435", - "ButtonUpdateNow": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e", "LabelVersionInstalled": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430: {0}", - "ButtonCancelSeries": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0435\u0440\u0438\u0430\u043b", "LabelNumberReviews": "\u041e\u0442\u0437\u044b\u0432\u044b: {0}", - "LabelAllChannels": "\u0412\u0441\u0435 \u043a\u0430\u043d\u0430\u043b\u044b", "LabelFree": "\u0411\u0435\u0441\u043f\u043b.", - "HeaderSeriesRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438 \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432", + "HeaderPlaybackError": "\u041e\u0448\u0438\u0431\u043a\u0430 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "MessagePlaybackErrorNotAllowed": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0438\u0439 \u043c\u043e\u043c\u0435\u043d\u0442 \u0432\u044b \u043d\u0435 \u0430\u0432\u0442\u043e\u0440\u0438\u0437\u043e\u0432\u0430\u043d\u044b \u0434\u043b\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f. \u0417\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", + "MessagePlaybackErrorNoCompatibleStream": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0438\u0439 \u043c\u043e\u043c\u0435\u043d\u0442 \u043d\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0445 \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u044b\u0445 \u043f\u043e\u0442\u043e\u043a\u043e\u0432. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435 \u0438\u043b\u0438 \u0437\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", + "MessagePlaybackErrorRateLimitExceeded": "\u0412\u0430\u0448\u0430 \u043f\u0440\u0435\u0434\u0435\u043b\u044c\u043d\u0430\u044f \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0431\u044b\u043b\u0430 \u043f\u0440\u0435\u0432\u044b\u0448\u0435\u043d\u0430. \u0417\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", + "MessagePlaybackErrorPlaceHolder": "\u0412\u044b\u0431\u0440\u0430\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e \u0441 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430.", "HeaderSelectAudio": "\u0412\u044b\u0431\u043e\u0440 \u0430\u0443\u0434\u0438\u043e", - "LabelAnytime": "\u041b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f", "HeaderSelectSubtitles": "\u0412\u044b\u0431\u043e\u0440 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", - "StatusRecording": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0435\u0442\u0441\u044f", + "ButtonMarkForRemoval": "\u0418\u0437\u044a\u044f\u0442\u044c \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "ButtonUnmarkForRemoval": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0438\u0437\u044a\u044f\u0442\u0438\u0435 \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "LabelDefaultStream": "(\u0423\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u0435)", - "StatusWatching": "\u041f\u0440\u043e\u0441\u043c\u0430\u0442\u0440\u0438\u0432\u0430\u0435\u0442\u0441\u044f", "LabelForcedStream": "(\u0424\u043e\u0440\u0441-\u044b\u0435)", - "StatusRecordingProgram": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0435\u0442\u0441\u044f {0}", "LabelDefaultForcedStream": "(\u0423\u043c\u043e\u043b\u0447.\/\u0424\u043e\u0440\u0441-\u044b\u0435)", - "StatusWatchingProgram": "\u041f\u0440\u043e\u0441\u043c\u0430\u0442\u0440\u0438\u0432\u0430\u0435\u0442\u0441\u044f {0}", "LabelUnknownLanguage": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0439 \u044f\u0437\u044b\u043a", - "ButtonQueue": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c...", + "MessageConfirmSyncJobItemCancellation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442?", + "ButtonMute": "\u041e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a", "ButtonUnmute": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a", - "LabelSyncNoTargetsHelp": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e, \u043d\u0435 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u043e.", - "HeaderSplitMedia": "\u0420\u0430\u0437\u0431\u0438\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0440\u043e\u0437\u044c", + "ButtonStop": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", + "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430...", + "ButtonPause": "\u041f\u0440\u0438\u043e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", + "ButtonPlay": "\u0412\u043e\u0441\u043f\u0440.", + "ButtonEdit": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c", + "ButtonQueue": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c...", "ButtonPlaylist": "\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440-\u0438\u044f...", - "MessageConfirmSplitMedia": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0440\u0430\u0437\u0431\u0438\u0442\u044c \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u043e \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u044b\u043c \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430\u043c?", - "HeaderError": "\u041e\u0448\u0438\u0431\u043a\u0430", + "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430...", "LabelEnabled": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u043e", - "HeaderSupporterBenefit": "\u0427\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438, \u043f\u0440\u0435\u043c\u0438\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043b\u0430\u0433\u0438\u043d\u0430\u043c, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u043e\u0432 \u0438 \u0442.\u0434. {0}\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435{1}.", "LabelDisabled": "\u0412\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u043e", - "MessageTheFollowingItemsWillBeGrouped": "\u0412 \u0435\u0434\u0438\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u0443\u0434\u0443\u0442 \u0441\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f :", "ButtonMoreInformation": "\u0414\u043e\u043f. \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f...", - "MessageConfirmItemGrouping": "\u0412 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0445 \u0431\u0443\u0434\u0435\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0432\u044b\u0431\u0438\u0440\u0430\u0442\u044c\u0441\u044f \u043e\u043f\u0442\u0438\u043c\u0430\u043b\u044c\u043d\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f \u0434\u043b\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f, \u043d\u0430 \u043e\u0441\u043d\u043e\u0432\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0438 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u0441\u0435\u0442\u0438. \u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c?", "LabelNoUnreadNotifications": "\u041d\u0435\u0442 \u043d\u0435\u043f\u0440\u043e\u0447\u0442\u0451\u043d\u043d\u044b\u0445 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0439.", "ButtonViewNotifications": "\u0421\u043c. \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "HeaderFavoriteAlbums": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b", "ButtonMarkTheseRead": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a \u043f\u0440\u043e\u0447\u0442\u0451\u043d\u043d\u044b\u0435", - "HeaderLatestChannelMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", "ButtonClose": "\u0417\u0430\u043a\u0440\u044b\u0442\u044c", - "ButtonOrganizeFile": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u043e\u0432\u0430\u0442\u044c \u0444\u0430\u0439\u043b", - "ButtonLearnMore": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435", - "TabEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", "LabelAllPlaysSentToPlayer": "\u0412\u0441\u0451 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0435 \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u044f\u0442\u044c\u0441\u044f \u043d\u0430 \u0432\u044b\u0431\u0440\u0430\u043d\u043d\u044b\u0439 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044c", - "ButtonDeleteFile": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0444\u0430\u0439\u043b", "MessageInvalidUser": "\u041d\u0435\u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u043e\u0435 \u0438\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443.", - "HeaderOrganizeFile": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u0444\u0430\u0439\u043b\u0430", - "HeaderAudioTracks": "\u0410\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0438", + "HeaderLoginFailure": "\u0421\u0431\u043e\u0439 \u0432\u0445\u043e\u0434\u0430", + "HeaderAllRecordings": "\u0412\u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", "RecommendationBecauseYouLike": "\u0418\u0431\u043e \u0432\u0430\u043c \u043d\u0440\u0430\u0432\u0438\u0442\u0441\u044f \u00ab{0}\u00bb", - "HeaderDeleteFile": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u0430", - "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c", - "HeaderSubtitles": "\u0421\u0443\u0431\u0442.", - "ButtonView": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c", "RecommendationBecauseYouWatched": "\u0418\u0431\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043e \u00ab{0}\u00bb", - "StatusSkipped": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043e", - "HeaderVideoQuality": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0432\u0438\u0434\u0435\u043e", "RecommendationDirectedBy": "\u0420\u0435\u0436\u0438\u0441\u0441\u0438\u0440\u0443\u0435\u0442 {0}", - "StatusFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", - "MessageErrorPlayingVideo": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e.", "RecommendationStarring": "\u0418\u0433\u0440\u0430\u0435\u0442 {0}", - "StatusSuccess": "\u0423\u0441\u043f\u0435\u0448\u043d\u043e", - "MessageEnsureOpenTuner": "\u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0442\u043a\u0440\u044b\u0442\u044b\u0439 \u0442\u044e\u043d\u0435\u0440.", "HeaderConfirmRecordingCancellation": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043e\u0442\u043c\u0435\u043d\u044b \u0437\u0430\u043f\u0438\u0441\u0438", - "MessageFileWillBeDeleted": "\u0411\u0443\u0434\u0435\u0442 \u0443\u0434\u0430\u043b\u0451\u043d \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b:", - "ButtonDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c...", "MessageConfirmRecordingCancellation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c?", - "MessageSureYouWishToProceed": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c?", - "ButtonHelp": "\u0421\u043f\u0440\u0430\u0432\u043a\u0430...", - "ButtonReports": "\u041e\u0442\u0447\u0451\u0442\u044b...", - "HeaderUnrated": "\u0411\u0435\u0437 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438", "MessageRecordingCancelled": "\u0417\u0430\u043f\u0438\u0441\u044c \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u0430.", - "MessageDuplicatesWillBeDeleted": "\u0412 \u0434\u043e\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u0435 \u0431\u0443\u0434\u0443\u0442 \u0443\u0434\u0430\u043b\u0435\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0434\u0443\u0431\u043b\u0438\u043a\u0430\u0442\u044b:", - "ButtonMetadataManager": "\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445...", - "ValueDiscNumber": "\u0414\u0438\u0441\u043a {0}", - "OptionOff": "\u0412\u044b\u043a\u043b", + "HeaderConfirmSeriesCancellation": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043e\u0442\u043c\u0435\u043d\u044b \u0441\u0435\u0440\u0438\u0438", + "MessageConfirmSeriesCancellation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0438\u0430\u043b?", + "MessageSeriesCancelled": "\u0421\u0435\u0440\u0438\u0430\u043b \u043e\u0442\u043c\u0435\u043d\u0451\u043d.", "HeaderConfirmRecordingDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f \u0437\u0430\u043f\u0438\u0441\u0438", - "MessageFollowingFileWillBeMovedFrom": "\u0411\u0443\u0434\u0435\u0442 \u043f\u0435\u0440\u0435\u043c\u0435\u0449\u0451\u043d \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b \u0441:", - "HeaderTime": "\u0412\u0440\u0435\u043c\u044f", - "HeaderUnknownDate": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u0430\u044f \u0434\u0430\u0442\u0430", - "OptionOn": "\u0412\u043a\u043b", "MessageConfirmRecordingDeletion": "\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\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c?", - "MessageDestinationTo": "\u043a:", - "HeaderAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", - "HeaderUnknownYear": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0439 \u0433\u043e\u0434", - "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0439 \u0432\u044b\u043f\u0443\u0441\u043a", "MessageRecordingDeleted": "\u0417\u0430\u043f\u0438\u0441\u044c \u0443\u0434\u0430\u043b\u0435\u043d\u0430.", - "HeaderSelectWatchFolder": "\u0412\u044b\u0431\u043e\u0440 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u0435\u043c\u043e\u0439 \u043f\u0430\u043f\u043a\u0438", - "HeaderAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c. \u0438\u0441\u043f-\u043b\u044c", - "HeaderMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b", - "ValueMinutes": "{0} \u043c\u0438\u043d", - "OptionBeta": "\u0411\u0435\u0442\u0430-\u0432\u0435\u0440\u0441\u0438\u044f", "ButonCancelRecording": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0437\u0430\u043f\u0438\u0441\u044c", - "HeaderSelectWatchFolderHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "HeaderArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", - "OptionDev": "\u0420\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043e\u0447\u043d\u0430\u044f (\u043d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u044c\u043d\u0430\u044f)", "MessageRecordingSaved": "\u0417\u0430\u043f\u0438\u0441\u044c \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0430.", - "OrganizePatternResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442: {0}", - "HeaderLatestTvRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", - "UninstallPluginHeader": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u0430", - "ButtonMute": "\u041e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a", - "HeaderRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a", - "UninstallPluginConfirmation": "\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 {0}?", - "HeaderShutdown": "\u0417\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0442\u044b", - "NoPluginConfigurationMessage": "\u0412 \u0434\u0430\u043d\u043d\u043e\u043c \u043f\u043b\u0430\u0433\u0438\u043d\u0435 \u043d\u0435\u0442 \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043a.", - "MessageConfirmRestart": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c Emby Server?", - "MessageConfirmRevokeApiKey": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043e\u0437\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 API-\u043a\u043b\u044e\u0447? \u041f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043a Emby Server \u0431\u0443\u0434\u0435\u0442 \u0440\u0435\u0437\u043a\u043e \u043e\u0431\u043e\u0440\u0432\u0430\u043d\u043e.", - "NoPluginsInstalledMessage": "\u041d\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e \u043d\u0438 \u043e\u0434\u043d\u043e\u0433\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u0430.", - "MessageConfirmShutdown": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u0440\u0430\u0431\u043e\u0442\u0443 Emby Server?", - "HeaderConfirmRevokeApiKey": "\u041e\u0442\u0437\u044b\u0432 API-\u043a\u043b\u044e\u0447\u0430", - "BrowsePluginCatalogMessage": "\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 \u043e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u0438\u043c\u0435\u044e\u0449\u0438\u043c\u0438\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u0430\u043c\u0438.", - "NewVersionOfSomethingAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u043e\u0432\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f {0}!", - "VersionXIsAvailableForDownload": "\u0412\u0435\u0440\u0441\u0438\u044f {0} \u0441\u0435\u0439\u0447\u0430\u0441 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438.", - "TextEnjoyBonusFeatures": "\u041f\u043e\u043b\u0443\u0447\u0438\u0442\u0435 \u0431\u043e\u043d\u0443\u0441\u043d\u044b\u0435 \u0444\u0443\u043d\u043a\u0446\u0438\u0438", - "ButtonHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435...", + "OptionSunday": "\u0432\u043e\u0441\u043a\u0440\u0435\u0441\u0435\u043d\u044c\u0435", + "OptionMonday": "\u043f\u043e\u043d\u0435\u0434\u0435\u043b\u044c\u043d\u0438\u043a", + "OptionTuesday": "\u0432\u0442\u043e\u0440\u043d\u0438\u043a", + "OptionWednesday": "\u0441\u0440\u0435\u0434\u0430", + "OptionThursday": "\u0447\u0435\u0442\u0432\u0435\u0440\u0433", + "OptionFriday": "\u043f\u044f\u0442\u043d\u0438\u0446\u0430", + "OptionSaturday": "\u0441\u0443\u0431\u0431\u043e\u0442\u0430", + "OptionEveryday": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e", "OptionWeekend": "\u0412\u044b\u0445\u043e\u0434\u043d\u044b\u0435", - "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b...", "OptionWeekday": "\u0414\u043d\u0438 \u043d\u0435\u0434\u0435\u043b\u0438", - "OptionEveryday": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e", - "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "ValueDateCreated": "\u0414\u0430\u0442\u0430 \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f: {0}", - "MessageItemsAdded": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442\u044b \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u044b", - "HeaderScenes": "\u0421\u0446\u0435\u043d\u044b", - "HeaderNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "HeaderSelectPlayer": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f:", - "ButtonAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", - "HeaderSelectCertificatePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043a \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0443", - "LabelBirthDate": "\u0414\u0430\u0442\u0430 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", - "HeaderSelectPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438", - "ButtonPlayTrailer": "\u0412\u043e\u0441\u043f\u0440. \u0442\u0440\u0435\u0439\u043b\u0435\u0440", - "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\u043e \u043a\u0430\u043d\u0430\u043b\u0430\u043c", - "MessageChromecastConnectionError": "\u041f\u0440\u0438\u0435\u043c\u043d\u0438\u043a Chromecast \u043d\u0435 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u0434\u0441\u043e\u0435\u0434\u0438\u043d\u0438\u0442\u044c\u0441\u044f \u043a Emby Server. \u041f\u0440\u043e\u0432\u0435\u0440\u044c\u0442\u0435 \u0438\u0445 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0438 \u043f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", - "TitleNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "MessageChangeRecurringPlanConfirm": "\u041f\u043e\u0441\u043b\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438, \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0432\u0430\u0448\u0435 \u043f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435 \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435 \u0438\u0437\u043d\u0443\u0442\u0440\u0438 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 PayPal. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441 \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby.", - "MessageSupporterMembershipExpiredOn": "\u0412\u0430\u0448\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0438\u0441\u0442\u0435\u043a\u043b\u043e {0}.", - "MessageYouHaveALifetimeMembership": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043f\u043e\u0436\u0438\u0437\u043d\u0435\u043d\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430. \u0412\u044b \u043c\u043e\u0436\u0435\u0442\u0435 \u0434\u0435\u043b\u0430\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f \u0435\u0434\u0438\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e \u0438\u043b\u0438 \u043d\u0430 \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0439 \u043e\u0441\u043d\u043e\u0432\u0435, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044f \u043d\u0438\u0436\u0435\u0443\u043a\u0430\u0437\u0430\u043d\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441 \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby.", - "SyncJobStatusConverting": "\u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u0443\u0435\u0442\u0441\u044f", - "MessageYouHaveAnActiveRecurringMembership": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 {0} \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e. \u0412\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0432\u043e\u0435\u0439 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043f\u043b\u0430\u0442\u0435\u0436\u0435\u0439 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043d\u0438\u0436\u0435\u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439.", - "SyncJobStatusFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", - "SyncJobStatusCancelled": "\u041e\u0442\u043c\u0435\u043d\u0435\u043d\u043e", - "SyncJobStatusTransferring": "\u041f\u0435\u0440\u0435\u043d\u043e\u0441\u0438\u0442\u0441\u044f", - "FolderTypeUnset": "\u041d\u0435\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0439 (\u0440\u0430\u0437\u043d\u043e\u0442\u0438\u043f\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435)", + "HeaderConfirmDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f", + "MessageConfirmPathSubstitutionDeletion": "\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\u0443\u044e \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0443 \u043f\u0443\u0442\u0438?", + "LiveTvUpdateAvailable": "(\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435)", + "LabelVersionUpToDate": "\u0421 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u043c\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f\u043c\u0438!", + "ButtonResetTuner": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0442\u044e\u043d\u0435\u0440", + "HeaderResetTuner": "\u0421\u0431\u0440\u043e\u0441 \u0442\u044e\u043d\u0435\u0440\u0430", + "MessageConfirmResetTuner": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0442\u044e\u043d\u0435\u0440? \u041b\u044e\u0431\u044b\u0435 \u0430\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438 \u0438\u043b\u0438 \u0437\u0430\u043f\u0438\u0441\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432\u043d\u0435\u0437\u0430\u043f\u043d\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u044b.", + "ButtonCancelSeries": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0435\u0440\u0438\u0430\u043b", + "HeaderSeriesRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438 \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432", + "LabelAnytime": "\u041b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f", + "StatusRecording": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0435\u0442\u0441\u044f", + "StatusWatching": "\u041f\u0440\u043e\u0441\u043c\u0430\u0442\u0440\u0438\u0432\u0430\u0435\u0442\u0441\u044f", + "StatusRecordingProgram": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0435\u0442\u0441\u044f {0}", + "StatusWatchingProgram": "\u041f\u0440\u043e\u0441\u043c\u0430\u0442\u0440\u0438\u0432\u0430\u0435\u0442\u0441\u044f {0}", + "HeaderSplitMedia": "\u0420\u0430\u0437\u0431\u0438\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0440\u043e\u0437\u044c", + "MessageConfirmSplitMedia": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0440\u0430\u0437\u0431\u0438\u0442\u044c \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u043e \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u044b\u043c \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430\u043c?", + "HeaderError": "\u041e\u0448\u0438\u0431\u043a\u0430", + "MessageChromecastConnectionError": "\u041f\u0440\u0438\u0435\u043c\u043d\u0438\u043a Chromecast \u043d\u0435 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u0434\u0441\u043e\u0435\u0434\u0438\u043d\u0438\u0442\u044c\u0441\u044f \u043a Emby Server. \u041f\u0440\u043e\u0432\u0435\u0440\u044c\u0442\u0435 \u0438\u0445 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0438 \u043f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", + "MessagePleaseSelectOneItem": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u043e\u0434\u0438\u043d \u044d\u043b\u0435\u043c\u0435\u043d\u0442.", + "MessagePleaseSelectTwoItems": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u0434\u0432\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430.", + "MessageTheFollowingItemsWillBeGrouped": "\u0412 \u0435\u0434\u0438\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u0443\u0434\u0443\u0442 \u0441\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f :", + "MessageConfirmItemGrouping": "\u0412 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0445 \u0431\u0443\u0434\u0435\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0432\u044b\u0431\u0438\u0440\u0430\u0442\u044c\u0441\u044f \u043e\u043f\u0442\u0438\u043c\u0430\u043b\u044c\u043d\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f \u0434\u043b\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f, \u043d\u0430 \u043e\u0441\u043d\u043e\u0432\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0438 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u0441\u0435\u0442\u0438. \u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c?", + "HeaderResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", + "HeaderMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b", + "HeaderLibraryFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "HeaderLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "ButtonMoreItems": "\u0415\u0449\u0451...", + "ButtonMore": "\u0415\u0449\u0451...", + "HeaderFavoriteMovies": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b", + "HeaderFavoriteShows": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0422\u0412-\u0446\u0438\u043a\u043b\u044b", + "HeaderFavoriteEpisodes": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b", + "HeaderFavoriteGames": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0438\u0433\u0440\u044b", + "HeaderRatingsDownloads": "\u041e\u0446\u0435\u043d\u043a\u0430 \/ \u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0438", + "HeaderConfirmProfileDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0444\u0438\u043b\u044f", + "MessageConfirmProfileDeletion": "\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 \u043f\u0440\u043e\u0444\u0438\u043b\u044c?", + "HeaderSelectServerCachePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u043e\u0433\u043e \u043a\u0435\u0448\u0430", + "HeaderSelectTranscodingPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438", + "HeaderSelectImagesByNamePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0447\u0435\u0440\u0435\u0437 \u0438\u043c\u044f", + "HeaderSelectMetadataPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "HeaderSelectServerCachePathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u043e\u0433\u043e \u043a\u0435\u0448\u0430. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "HeaderSelectTranscodingPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "HeaderSelectImagesByNamePathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0447\u0435\u0440\u0435\u0437 \u0438\u043c\u044f. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "HeaderSelectMetadataPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0445\u0440\u0430\u043d\u0438\u0442\u044c \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "HeaderSelectChannelDownloadPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", + "HeaderSelectChannelDownloadPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u043a\u0435\u0448\u0430 \u043a\u0430\u043d\u0430\u043b\u043e\u0432. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "OptionNewCollection": "\u041d\u043e\u0432\u0430\u044f...", + "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c", + "ButtonRemove": "\u0418\u0437\u044a\u044f\u0442\u044c", "LabelChapterDownloaders": "\u0417\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u0441\u0446\u0435\u043d:", "LabelChapterDownloadersHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0438 \u0440\u0430\u043d\u0436\u0438\u0440\u0443\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0435 \u0437\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u0441\u0446\u0435\u043d \u0432 \u043f\u043e\u0440\u044f\u0434\u043a\u0435 \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u0430. \u0417\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u043d\u0438\u0437\u043a\u043e\u0433\u043e \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u0430 \u0431\u0443\u0434\u0443\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u044e\u0449\u0435\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438.", - "HeaderUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "ValueStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435: {0}", - "MessageInternetExplorerWebm": "\u0414\u043b\u044f \u043b\u0443\u0447\u0448\u0435\u0433\u043e \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u0430 \u0432 Internet Explorer, \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f WebM.", - "HeaderResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", - "HeaderVideoError": "\u041e\u0448\u0438\u0431\u043a\u0430 \u0432\u0438\u0434\u0435\u043e", + "HeaderFavoriteAlbums": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b", + "HeaderLatestChannelMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", + "ButtonOrganizeFile": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u043e\u0432\u0430\u0442\u044c \u0444\u0430\u0439\u043b", + "ButtonDeleteFile": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0444\u0430\u0439\u043b", + "HeaderOrganizeFile": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u0444\u0430\u0439\u043b\u0430", + "HeaderDeleteFile": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u0430", + "StatusSkipped": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043e", + "StatusFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", + "StatusSuccess": "\u0423\u0441\u043f\u0435\u0448\u043d\u043e", + "MessageFileWillBeDeleted": "\u0411\u0443\u0434\u0435\u0442 \u0443\u0434\u0430\u043b\u0451\u043d \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b:", + "MessageSureYouWishToProceed": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c?", + "MessageDuplicatesWillBeDeleted": "\u0412 \u0434\u043e\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u0435 \u0431\u0443\u0434\u0443\u0442 \u0443\u0434\u0430\u043b\u0435\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0434\u0443\u0431\u043b\u0438\u043a\u0430\u0442\u044b:", + "MessageFollowingFileWillBeMovedFrom": "\u0411\u0443\u0434\u0435\u0442 \u043f\u0435\u0440\u0435\u043c\u0435\u0449\u0451\u043d \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b \u0441:", + "MessageDestinationTo": "\u043a:", + "HeaderSelectWatchFolder": "\u0412\u044b\u0431\u043e\u0440 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u0435\u043c\u043e\u0439 \u043f\u0430\u043f\u043a\u0438", + "HeaderSelectWatchFolderHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", + "OrganizePatternResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442: {0}", + "HeaderRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a", + "HeaderShutdown": "\u0417\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0442\u044b", + "MessageConfirmRestart": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c Emby Server?", + "MessageConfirmShutdown": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u0440\u0430\u0431\u043e\u0442\u0443 Emby Server?", + "ButtonUpdateNow": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e", + "ValueItemCount": "{0} \u044d\u043b\u0435\u043c\u0435\u043d\u0442", + "ValueItemCountPlural": "{0} \u044d\u043b\u0435\u043c\u0435\u043d\u0442(\u0430\/\u043e\u0432)", + "NewVersionOfSomethingAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u043e\u0432\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f {0}!", + "VersionXIsAvailableForDownload": "\u0412\u0435\u0440\u0441\u0438\u044f {0} \u0441\u0435\u0439\u0447\u0430\u0441 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438.", + "LabelVersionNumber": "\u0412\u0435\u0440\u0441\u0438\u044f {0}", + "LabelPlayMethodTranscoding": "\u041f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u0435\u0442\u0441\u044f", + "LabelPlayMethodDirectStream": "\u0422\u0440\u0430\u043d\u0441\u043b\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e", + "LabelPlayMethodDirectPlay": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e", + "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430", + "LabelAudioCodec": "\u0410\u0443\u0434\u0438\u043e: {0}", + "LabelVideoCodec": "\u0412\u0438\u0434\u0435\u043e: {0}", + "LabelLocalAccessUrl": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f: {0}", + "LabelRemoteAccessUrl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f: {0}", + "LabelRunningOnPort": "\u0420\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043d\u0430 HTTP-\u043f\u043e\u0440\u0442\u0443 {0}.", + "LabelRunningOnPorts": "\u0420\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043d\u0430 HTTP-\u043f\u043e\u0440\u0442\u0443 {0} \u0438 HTTPS-\u043f\u043e\u0440\u0442\u0443 {1}.", + "HeaderLatestFromChannel": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 {0}", + "LabelUnknownLanaguage": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0439 \u044f\u0437\u044b\u043a", + "HeaderCurrentSubtitles": "\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b", + "MessageDownloadQueued": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0431\u044b\u043b\u0430 \u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0430 \u0432 \u043e\u0447\u0435\u0440\u0435\u0434\u044c.", + "MessageAreYouSureDeleteSubtitles": "\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 \u0444\u0430\u0439\u043b \u0441\u0443\u0431\u0438\u0442\u0440\u043e\u0432?", "ButtonRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435...", - "TabSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", - "TabAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", - "MessageFeatureIncludedWithSupporter": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438, \u0438 \u0431\u0443\u0434\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u0442\u044c \u0435\u0451 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0441 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e\u043c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", + "HeaderLatestTvRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", + "ButtonOk": "\u041e\u041a", + "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", + "ButtonRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c", + "LabelCurrentPath": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u043f\u0443\u0442\u044c:", + "HeaderSelectMediaPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "HeaderSelectPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438", + "ButtonNetwork": "\u0421\u0435\u0442\u044c...", + "MessageDirectoryPickerInstruction": "\u0421\u0435\u0442\u0435\u0432\u044b\u0435 \u043f\u0443\u0442\u0438 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0432\u0432\u0435\u0441\u0442\u0438 \u0432\u0440\u0443\u0447\u043d\u0443\u044e, \u0432 \u0442\u043e\u043c \u0441\u043b\u0443\u0447\u0430\u0435, \u0435\u0441\u043b\u0438 \u043f\u0440\u0438 \u043d\u0430\u0436\u0430\u0442\u0438\u0438 \u043a\u043d\u043e\u043f\u043a\u0438 \u00ab\u0421\u0435\u0442\u044c\u00bb \u043f\u0440\u043e\u0438\u0441\u0445\u043e\u0434\u0438\u0442 \u0441\u0431\u043e\u0439 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432. \u041d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: {0} \u0438\u043b\u0438 {1}.", + "HeaderMenu": "\u041c\u0435\u043d\u044e", + "ButtonOpen": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c", + "ButtonOpenInNewTab": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u0432 \u043d\u043e\u0432\u043e\u0439 \u0432\u043a\u043b\u0430\u0434\u043a\u0435", + "ButtonShuffle": "\u041f\u0435\u0440\u0435\u043c\u0435\u0448\u0430\u0442\u044c", + "ButtonInstantMix": "\u0410\u0432\u0442\u043e\u043c\u0438\u043a\u0441...", + "ButtonResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u0442\u044c", + "HeaderScenes": "\u0421\u0446\u0435\u043d\u044b", + "HeaderAudioTracks": "\u0410\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0438", + "HeaderLibraries": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "HeaderSubtitles": "\u0421\u0443\u0431\u0442.", + "HeaderVideoQuality": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0432\u0438\u0434\u0435\u043e", + "MessageErrorPlayingVideo": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e.", + "MessageEnsureOpenTuner": "\u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0442\u043a\u0440\u044b\u0442\u044b\u0439 \u0442\u044e\u043d\u0435\u0440.", + "ButtonHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435...", + "ButtonDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c...", + "ButtonReports": "\u041e\u0442\u0447\u0451\u0442\u044b...", + "ButtonMetadataManager": "\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445...", + "HeaderTime": "\u0412\u0440\u0435\u043c\u044f", + "HeaderName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435)", + "HeaderAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", + "HeaderAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c. \u0438\u0441\u043f-\u043b\u044c", + "HeaderArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", + "LabelAddedOnDate": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e {0}", + "ButtonStart": "\u0417\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c", + "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430:", + "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", + "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "HeaderBlockItemsWithNoRating": "\u0411\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0431\u0435\u0437 \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u043e\u0439 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438:", + "OptionBlockOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", + "OptionBlockTvShows": "\u0422\u0412-\u0446\u0438\u043a\u043b\u044b", + "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", + "OptionBlockMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "OptionBlockMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", + "OptionBlockBooks": "\u041a\u043d\u0438\u0433\u0438", + "OptionBlockGames": "\u0418\u0433\u0440\u044b", + "OptionBlockLiveTvPrograms": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", + "OptionBlockLiveTvChannels": "\u041a\u0430\u043d\u0430\u043b\u044b \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", + "OptionBlockChannelContent": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u0430", + "ButtonRevoke": "\u041e\u0442\u043e\u0437\u0432\u0430\u0442\u044c", + "MessageConfirmRevokeApiKey": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043e\u0437\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 API-\u043a\u043b\u044e\u0447? \u041f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043a Emby Server \u0431\u0443\u0434\u0435\u0442 \u0440\u0435\u0437\u043a\u043e \u043e\u0431\u043e\u0440\u0432\u0430\u043d\u043e.", + "HeaderConfirmRevokeApiKey": "\u041e\u0442\u0437\u044b\u0432 API-\u043a\u043b\u044e\u0447\u0430", "ValueContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440: {0}", "ValueAudioCodec": "\u0410\u0443\u0434\u0438\u043e \u043a\u043e\u0434\u0435\u043a: {0}", "ValueVideoCodec": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a: {0}", - "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "ValueCodec": "\u041a\u043e\u0434\u0435\u043a: {0}", - "HeaderLatestReviews": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043e\u0442\u0437\u044b\u0432\u044b", - "HeaderDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "ValueConditions": "\u041e\u0431\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430: {0}", - "HeaderPluginInstallation": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430", "LabelAll": "\u0412\u0441\u0435", - "MessageAlreadyInstalled": "\u0414\u0430\u043d\u043d\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f \u0443\u0436\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430.", "HeaderDeleteImage": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0430", - "ValueReviewCount": "{0} \u043e\u0442\u0437\u044b\u0432(\u0430\/\u043e\u0432)", "MessageFileNotFound": "\u0424\u0430\u0439\u043b \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d.", - "MessageYouHaveVersionInstalled": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430 \u0432\u0435\u0440\u0441\u0438\u044f {0}.", "MessageFileReadError": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0447\u0442\u0435\u043d\u0438\u0438 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0444\u0430\u0439\u043b\u0430.", - "MessageTrialExpired": "\u041f\u0440\u043e\u0431\u043d\u044b\u0439 \u043f\u0435\u0440\u0438\u043e\u0434 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0438\u0441\u0442\u0451\u043a", "ButtonNextPage": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430...", - "OptionWatched": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043e", - "MessageTrialWillExpireIn": "\u041f\u0440\u043e\u0431\u043d\u044b\u0439 \u043f\u0435\u0440\u0438\u043e\u0434 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0438\u0441\u0442\u0435\u0447\u0451\u0442 \u0447\u0435\u0440\u0435\u0437 {0} \u0434\u043d\u0435\u0439", "ButtonPreviousPage": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430...", - "OptionUnwatched": "\u041d\u0435 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043e", - "MessageInstallPluginFromApp": "\u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u043b\u0430\u0433\u0438\u043d \u0434\u043e\u043b\u0436\u0435\u043d \u0443\u0441\u0442\u0430\u043d\u0430\u0432\u043b\u0438\u0432\u0430\u0442\u044c\u0441\u044f \u0438\u0437\u043d\u0443\u0442\u0440\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u0434\u043b\u044f \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u043e\u043d\u043e \u043f\u0440\u0435\u0434\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043e.", - "OptionRuntime": "\u0414\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c", - "HeaderMyMedia": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", "ButtonMoveLeft": "\u0414\u0432\u0438\u0433\u0430\u0442\u044c \u0432\u043b\u0435\u0432\u043e", - "ExternalPlayerPlaystateOptionsHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435, \u043a\u0430\u043a \u0432\u044b \u0445\u043e\u0442\u0435\u043b\u0438 \u0431\u044b \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0432\u0438\u0434\u0435\u043e \u0432\u043e \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0440\u0430\u0437.", - "ValuePriceUSD": "\u0426\u0435\u043d\u0430: {0} USD", "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430", "ButtonMoveRight": "\u0414\u0432\u0438\u0433\u0430\u0442\u044c \u0432\u043f\u0440\u0430\u0432\u043e", - "LabelMarkAs": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a:", "ButtonBrowseOnlineImages": "\u0421\u043c. \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0432 \u0441\u0435\u0442\u0438", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0441\u043e\u0433\u043b\u0430\u0441\u0438\u0435 \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433, \u043f\u0440\u0435\u0436\u0434\u0435 \u0447\u0435\u043c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c.", - "OptionInProgress": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f", "HeaderDeleteItem": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", - "ButtonUninstall": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", - "LabelResumePoint": "\u0422\u043e\u0447\u043a\u0430 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f:", "ConfirmDeleteItem": "\u041f\u0440\u0438 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u0438 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430, \u043e\u043d \u0443\u0434\u0430\u043b\u0438\u0442\u0441\u044f \u0438 \u0438\u0437 \u0444\u0430\u0439\u043b\u043e\u0432\u043e\u0439 \u0441\u0438\u0441\u0442\u0435\u043c\u044b, \u0438 \u0438\u0437 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438. \u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c?", - "ValueOneMovie": "1 \u0444\u0438\u043b\u044c\u043c", - "ValueItemCount": "{0} \u044d\u043b\u0435\u043c\u0435\u043d\u0442", "MessagePleaseEnterNameOrId": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0438\u043b\u0438 \u0432\u043d\u0435\u0448\u043d\u0438\u0439 ID.", - "ValueMovieCount": "{0} \u0444\u0438\u043b\u044c\u043c(\u0430\/\u043e\u0432)", - "PluginCategoryGeneral": "\u041e\u0431\u0449\u0438\u0435", - "ValueItemCountPlural": "{0} \u044d\u043b\u0435\u043c\u0435\u043d\u0442(\u0430\/\u043e\u0432)", "MessageValueNotCorrect": "\u0412\u0432\u0435\u0434\u0451\u043d\u043d\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u043d\u0435 \u0432\u0435\u0440\u043d\u043e. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443.", - "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", "MessageItemSaved": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u0451\u043d.", - "HeaderWelcomeBack": "\u0417\u0430\u0445\u043e\u0434\u0438\u0442\u0435 \u0435\u0449\u0451!", - "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440(\u0430\/\u043e\u0432)", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0441\u043e\u0433\u043b\u0430\u0441\u0438\u0435 \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433, \u043f\u0440\u0435\u0436\u0434\u0435 \u0447\u0435\u043c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c.", + "OptionEnded": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u043b\u0441\u044f", + "OptionContinuing": "\u041f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u0435\u0442\u0441\u044f", + "OptionOff": "\u0412\u044b\u043a\u043b", + "OptionOn": "\u0412\u043a\u043b", + "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b...", + "ButtonUninstall": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", "HeaderFields": "\u041f\u043e\u043b\u044f", - "ButtonTakeTheTourToSeeWhatsNew": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043d\u043e\u0432\u0430\u0446\u0438\u044f\u043c\u0438", - "ValueOneSeries": "1 \u0441\u0435\u0440\u0438\u0430\u043b", - "PluginCategoryContentProvider": "\u041f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f", "HeaderFieldsHelp": "\u0421\u0434\u0432\u0438\u043d\u044c\u0442\u0435 \u0432\u044b\u043a\u043b\u044e\u0447\u0430\u0442\u0435\u043b\u044c \u043a \u00ab\u0412\u042b\u041a\u041b\u00bb, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0444\u0438\u043a\u0441\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u043e\u043b\u0435 \u0438 \u0437\u0430\u043f\u0440\u0435\u0442\u0438\u0442\u044c \u0435\u0433\u043e \u0434\u0430\u043d\u043d\u044b\u043c \u0438\u0437\u043c\u0435\u043d\u044f\u0442\u044c\u0441\u044f.", - "ValueSeriesCount": "{0} \u0441\u0435\u0440\u0438\u0430\u043b(\u0430\/\u043e\u0432)", "HeaderLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", - "ValueOneEpisode": "1 \u044d\u043f\u0438\u0437\u043e\u0434", - "LabelRecurringDonationCanBeCancelledHelp": "\u0420\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u044b\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u0447\u0435\u0440\u0435\u0437 \u0432\u0430\u0448\u0443 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c PayPal.", - "ButtonRevoke": "\u041e\u0442\u043e\u0437\u0432\u0430\u0442\u044c", "MissingLocalTrailer": "\u041d\u0435\u0442 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0430.", - "ValueEpisodeCount": "{0} \u044d\u043f\u0438\u0437\u043e\u0434(\u0430\/\u043e\u0432)", - "PluginCategoryScreenSaver": "\u0425\u0440\u0430\u043d\u0438\u0442\u0435\u043b\u0438 \u044d\u043a\u0440\u0430\u043d\u0430", - "ButtonMore": "\u0415\u0449\u0451...", "MissingPrimaryImage": "\u041d\u0435\u0442 \u043f\u0435\u0440\u0432\u0438\u0447\u043d\u043e\u0433\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u0430.", - "ValueOneGame": "1 \u0438\u0433\u0440\u0430", - "HeaderFavoriteMovies": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b", "MissingBackdropImage": "\u041d\u0435\u0442 \u0440\u0438\u0441\u0443\u043d\u043a\u0430 \u0437\u0430\u0434\u043d\u0438\u043a\u0430.", - "ValueGameCount": "{0} \u0438\u0433\u0440(\u044b)", - "HeaderFavoriteShows": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0422\u0412-\u0446\u0438\u043a\u043b\u044b", "MissingLogoImage": "\u041d\u0435\u0442 \u0440\u0438\u0441\u0443\u043d\u043a\u0430 \u043b\u043e\u0433\u043e\u0442\u0438\u043f\u0430.", - "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", - "PluginCategoryTheme": "\u0422\u0435\u043c\u044b", - "HeaderFavoriteEpisodes": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b", "MissingEpisode": "\u041d\u0435\u0442 \u044d\u043f\u0438\u0437\u043e\u0434\u0430.", - "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c(\u0430\/\u043e\u0432)", - "HeaderFavoriteGames": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0438\u0433\u0440\u044b", - "MessagePlaybackErrorPlaceHolder": "\u0412\u044b\u0431\u0440\u0430\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e \u0441 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430.", "OptionScreenshots": "\u0421\u043d\u0438\u043c\u043a\u0438 \u044d\u043a\u0440\u0430\u043d\u0430", - "ValueOneSong": "1 \u043c\u0435\u043b\u043e\u0434\u0438\u044f", - "HeaderRatingsDownloads": "\u041e\u0446\u0435\u043d\u043a\u0430 \/ \u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0438", "OptionBackdrops": "\u0417\u0430\u0434\u043d\u0438\u043a\u0438", - "MessageErrorLoadingSupporterInfo": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438 \u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0435. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", - "ValueSongCount": "{0} \u043c\u0435\u043b\u043e\u0434\u0438(\u0438\/\u0439)", - "PluginCategorySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "HeaderConfirmProfileDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0444\u0438\u043b\u044f", - "HeaderSelectDate": "\u0412\u044b\u0431\u043e\u0440 \u0434\u0430\u0442\u044b", - "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0438\u0434\u0435\u043e", - "MessageConfirmProfileDeletion": "\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 \u043f\u0440\u043e\u0444\u0438\u043b\u044c?", "OptionImages": "\u0420\u0438\u0441\u0443\u043d\u043a\u0438", - "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0445 \u0432\u0438\u0434\u0435\u043e", - "HeaderSelectServerCachePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u043e\u0433\u043e \u043a\u0435\u0448\u0430", "OptionKeywords": "\u041a\u043b\u044e\u0447\u0435\u0432\u044b\u0435 \u0441\u043b\u043e\u0432\u0430", - "MessageLinkYourSupporterKey": "\u0421\u0432\u044f\u0436\u0438\u0442\u0435 \u0432\u0430\u0448 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0441\u043e \u0432\u043f\u043b\u043e\u0442\u044c \u0434\u043e {0} \u0447\u043b\u0435\u043d\u043e\u0432 Emby Connect, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u043c \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c:", - "HeaderOffline": "\u0410\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e", - "PluginCategorySocialIntegration": "\u0421\u043e\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0435 \u0441\u0435\u0442\u0438", - "HeaderSelectTranscodingPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438", - "MessageThankYouForSupporting": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby", "OptionTags": "\u0422\u0435\u0433\u0438", - "HeaderUnaired": "\u041e\u0436\u0438\u0434\u0430\u0435\u0442\u0441\u044f", - "HeaderSelectImagesByNamePath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0447\u0435\u0440\u0435\u0437 \u0438\u043c\u044f", "OptionStudios": "\u0421\u0442\u0443\u0434\u0438\u0438", - "HeaderMissing": "\u041e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442", - "HeaderSelectMetadataPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", "OptionName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435", - "HeaderConfirmRemoveUser": "\u0418\u0437\u044a\u044f\u0442\u0438\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "ButtonWebsite": "\u0412\u0435\u0431\u0441\u0430\u0439\u0442...", - "PluginCategoryNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "HeaderSelectServerCachePathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u043e\u0433\u043e \u043a\u0435\u0448\u0430. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "SyncJobStatusQueued": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u0438", "OptionOverview": "\u041e\u0431\u0437\u043e\u0440", - "TooltipFavorite": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", - "HeaderSelectTranscodingPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "ButtonCancelItem": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u044d\u043b\u0435\u043c\u0435\u043d\u0442", "OptionGenres": "\u0416\u0430\u043d\u0440\u044b", - "ButtonScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a...", - "ValueTimeLimitSingleHour": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438: 1 \u0447\u0430\u0441", - "TooltipLike": "\u041d\u0440\u0430\u0432\u0438\u0442\u0441\u044f", - "HeaderSelectImagesByNamePathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0447\u0435\u0440\u0435\u0437 \u0438\u043c\u044f. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "SyncJobStatusCompleted": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043e", + "OptionParentalRating": "\u0412\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f", "OptionPeople": "\u041b\u044e\u0434\u0438", - "MessageConfirmRemoveConnectSupporter": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f?", - "TooltipDislike": "\u041d\u0435 \u043d\u0440\u0430\u0432\u0438\u0442\u0441\u044f", - "PluginCategoryMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "HeaderSelectMetadataPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0445\u0440\u0430\u043d\u0438\u0442\u044c \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "ButtonQueueForRetry": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c \u0434\u043b\u044f \u043f\u043e\u0432\u0442\u043e\u0440\u0430", - "SyncJobStatusCompletedWithError": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043e \u0441 \u043e\u0448\u0438\u0431\u043a\u0430\u043c\u0438", + "OptionRuntime": "\u0414\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c", "OptionProductionLocations": "\u041c\u0435\u0441\u0442\u0430 \u0441\u044a\u0451\u043c\u043e\u043a", - "ButtonDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c", - "TooltipPlayed": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u043e", "OptionBirthLocation": "\u041c\u0435\u0441\u0442\u043e \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f", - "ValueTimeLimitMultiHour": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438: {0} \u0447\u0430\u0441(\u0430\/\u043e\u0432)", - "ValueSeriesYearToPresent": "{0} - \u041d.\u0412.", - "ButtonReenable": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u0432\u0442\u043e\u0440\u043d\u043e", + "LabelAllChannels": "\u0412\u0441\u0435 \u043a\u0430\u043d\u0430\u043b\u044b", "LabelLiveProgram": "\u041f\u0420\u042f\u041c\u041e\u0419 \u042d\u0424\u0418\u0420", - "ConfirmMessageScheduledTaskButton": "\u042d\u0442\u0430 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435 \u043e\u0431\u044b\u0447\u043d\u043e \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u0430\u043a \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u0437\u0430\u0434\u0430\u0447\u0430. \u042d\u0442\u043e \u0442\u0430\u043a\u0436\u0435 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e \u0432\u0440\u0443\u0447\u043d\u0443\u044e \u043e\u0442\u0441\u044e\u0434\u0430. \u0427\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443, \u0441\u043c.:", - "ValueAwards": "\u041f\u0440\u0438\u0437\u044b: {0}", - "PluginCategoryLiveTV": "\u042d\u0444\u0438\u0440\u043d\u043e\u0435 \u0422\u0412", "LabelNewProgram": "\u041d\u041e\u0412\u041e\u0415", - "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "\u041e\u0442\u043c\u0435\u0447\u0435\u043d\u043e \u0434\u043b\u044f \u0438\u0437\u044a\u044f\u0442\u0438\u044f", "LabelPremiereProgram": "\u041f\u0420\u0415\u041c\u042c\u0415\u0420\u0410", - "ValueRevenue": "\u0412\u044b\u0440\u0443\u0447\u043a\u0430: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "\u0421\u043c\u0435\u043d\u0430 \u0442\u0438\u043f\u0430 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f", - "ButtonQueueAllFromHere": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c \u0432\u0441\u0435 \u043e\u0442\u0441\u044e\u0434\u0430", - "ValuePremiered": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430 {0}", - "PluginCategoryChannel": "\u041a\u0430\u043d\u0430\u043b\u044b", - "HeaderLibraryFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "ButtonMarkForRemoval": "\u0418\u0437\u044a\u044f\u0442\u044c \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "HeaderChangeFolderTypeHelp": "\u0427\u0442\u043e\u0431\u044b \u0441\u043c\u0435\u043d\u0438\u0442\u044c \u0442\u0438\u043f, \u0443\u0434\u0430\u043b\u0438\u0442\u0435 \u0438 \u043f\u0435\u0440\u0435\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043f\u0430\u043f\u043a\u0443 \u0441 \u043d\u043e\u0432\u044b\u043c \u0442\u0438\u043f\u043e\u043c.", - "ButtonPlayAllFromHere": "\u0412\u043e\u0441\u043f\u0440. \u0432\u0441\u0435 \u043e\u0442\u0441\u044e\u0434\u0430", - "ValuePremieres": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430 {0}", "HeaderAlert": "\u041f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "\u0421\u0442\u0443\u0434\u0438\u044f: {0}", - "ButtonUnmarkForRemoval": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0438\u0437\u044a\u044f\u0442\u0438\u0435 \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "MessagePleaseRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435.", - "HeaderIdentify": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", - "ValueStudios": "\u0421\u0442\u0443\u0434\u0438\u0438: {0}", + "ButtonRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c", "MessagePleaseRefreshPage": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u0435 \u0434\u0430\u043d\u043d\u0443\u044e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043d\u043e\u0432\u044b\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f c \u0441\u0435\u0440\u0432\u0435\u0440\u0430.", - "PersonTypePerson": "\u041f\u0435\u0440\u0441\u043e\u043d\u0430", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434 - {0}", - "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u044b", - "MessageConfirmSyncJobItemCancellation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442?", "ButtonHide": "\u0421\u043a\u0440\u044b\u0442\u044c", - "LabelTitleDisplayOrder": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439:", - "ButtonViewSeriesRecording": "\u0421\u043c. \u0437\u0430\u043f\u0438\u0441\u044c \u0441\u0435\u0440\u0438\u0430\u043b\u0430", "MessageSettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u044b.", - "OptionSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435", - "ValueOriginalAirDate": "\u0414\u0430\u0442\u0430 \u0438\u0441\u0445\u043e\u0434\u043d\u043e\u0433\u043e \u044d\u0444\u0438\u0440\u0430: {0}", - "HeaderLibraries": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", "ButtonSignOut": "\u0412\u044b\u0439\u0442\u0438", - "ButtonOk": "\u041e\u041a", "ButtonMyProfile": "\u041c\u043e\u0439 \u043f\u0440\u043e\u0444\u0438\u043b\u044c...", - "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", "ButtonMyPreferences": "\u041c\u043e\u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438...", - "LabelDiscNumber": "\u041d\u043e\u043c\u0435\u0440 \u0434\u0438\u0441\u043a\u0430", "MessageBrowserDoesNotSupportWebSockets": "\u0412 \u0434\u0430\u043d\u043d\u043e\u043c \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u0435 \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0432\u0435\u0431-\u0441\u043e\u043a\u0435\u0442\u043e\u0432. \u0414\u043b\u044f \u043b\u0443\u0447\u0448\u0435\u0433\u043e \u0432\u0437\u0430\u0438\u043c\u043e\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044f \u043f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u0441 \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u043e\u043c \u043f\u043e\u043d\u043e\u0432\u0435\u0435, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, Chrome, Firefox, IE10+, Safari (iOS) \u0438\u043b\u0438 Opera.", - "LabelParentNumber": "\u0420\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0439 \u043d\u043e\u043c\u0435\u0440", "LabelInstallingPackage": "\u0423\u0441\u0442\u0430\u043d\u0430\u0432\u043b\u0438\u0432\u0430\u0435\u0442\u0441\u044f {0}", - "TitleSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", "LabelPackageInstallCompleted": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 {0} \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0430.", - "LabelTrackNumber": "\u041d\u043e\u043c\u0435\u0440 \u0434\u043e\u0440\u043e\u0436\u043a\u0438:", "LabelPackageInstallFailed": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 {0} \u043d\u0435\u0443\u0434\u0430\u0447\u043d\u0430.", - "LabelNumber": "\u041d\u043e\u043c\u0435\u0440:", "LabelPackageInstallCancelled": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 {0} \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u0430.", - "LabelReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430:", + "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", "TabUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "LabelEndDate": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u0434\u0430\u0442\u0430:", "TabLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430", - "LabelYear": "\u0413\u043e\u0434:", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", "TabDLNA": "DLNA", - "LabelDateOfBirth": "\u0414\u0430\u0442\u0430 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", "TabLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", - "LabelBirthYear": "\u0413\u043e\u0434 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", "TabAutoOrganize": "\u0410\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "LabelDeathDate": "\u0414\u0430\u0442\u0430 \u0441\u043c\u0435\u0440\u0442\u0438:", "TabPlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u044b", - "HeaderRemoveMediaLocation": "\u0418\u0437\u044a\u044f\u0442\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "TabAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", "TabHelp": "\u0421\u043f\u0440\u0430\u0432\u043a\u0430", - "MessageConfirmRemoveMediaLocation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u044d\u0442\u043e \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435?", - "HeaderSelectDevices": "\u0412\u044b\u0431\u043e\u0440 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "TabScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a", - "HeaderRenameMediaFolder": "\u041f\u0435\u0440\u0435\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "LabelNewName": "\u041d\u043e\u0432\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", - "HeaderLatestFromChannel": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 {0}", - "HeaderAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "ButtonQuality": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e...", - "HeaderAddMediaFolderHelp": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 (\u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430, \u0422\u0412 \u0438 \u0442.\u043f.).", "ButtonFullscreen": "\u041f\u043e\u043b\u043d\u044b\u0439 \u044d\u043a\u0440\u0430\u043d...", - "HeaderRemoveMediaFolder": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "ButtonScenes": "\u0421\u0446\u0435\u043d\u044b...", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u0418\u0437 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u044a\u044f\u0442\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 :", - "ErrorLaunchingChromecast": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0437\u0430\u043f\u0443\u0441\u043a\u0435 Chromecast. \u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0432\u0430\u0448\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u043e \u043a \u0431\u0435\u0441\u043f\u0440\u043e\u0432\u043e\u0434\u043d\u043e\u0439 \u0441\u0435\u0442\u0438.", - "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b...", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0443?", - "MessagePleaseSelectOneItem": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u043e\u0434\u0438\u043d \u044d\u043b\u0435\u043c\u0435\u043d\u0442.", "ButtonAudioTracks": "\u0410\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0438...", - "ButtonRename": "\u041f\u0435\u0440\u0435\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u0442\u044c", - "MessagePleaseSelectTwoItems": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u0434\u0432\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430.", - "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430...", - "ButtonChangeType": "\u0421\u043c\u0435\u043d\u0438\u0442\u044c \u0442\u0438\u043f", - "HeaderSelectChannelDownloadPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", - "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430...", - "HeaderMediaLocations": "\u0420\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "HeaderSelectChannelDownloadPathHelp": "\u041d\u0430\u0439\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0443\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0434\u043b\u044f \u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u043a\u0435\u0448\u0430 \u043a\u0430\u043d\u0430\u043b\u043e\u0432. \u041f\u0430\u043f\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430 \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u0438.", - "ButtonStop": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", - "OptionNewCollection": "\u041d\u043e\u0432\u0430\u044f...", - "ButtonPause": "\u041f\u0440\u0438\u043e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", - "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", - "LabelPathSubstitutionHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e: \u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u0443\u0442\u0435\u0439 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u043f\u0443\u0442\u0435\u0439 \u0441\u043e \u0441\u0435\u0442\u0435\u0432\u044b\u043c\u0438 \u043e\u0431\u0449\u0438\u043c\u0438 \u0440\u0435\u0441\u0443\u0440\u0441\u0430\u043c\u0438, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0441\u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \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.", - "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "FolderTypeMovies": "\u041a\u0438\u043d\u043e", - "LabelCollection": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f", - "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "FolderTypeAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", - "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", - "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", - "ButtonSubmit": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", - "SettingsSaved": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u044b.", - "OptionParentalRating": "\u0412\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f", - "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", - "AddUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderMenu": "\u041c\u0435\u043d\u044e", - "FolderTypeGames": "\u0418\u0433\u0440\u044b", - "Users": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "ButtonRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c", - "PinCodeResetComplete": "PIN-\u043a\u043e\u0434 \u0431\u044b\u043b \u0441\u0431\u0440\u043e\u0448\u0435\u043d.", - "ButtonOpen": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "Delete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", - "LabelCurrentPath": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u043f\u0443\u0442\u044c:", - "TabAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", - "ButtonOpenInNewTab": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u0432 \u043d\u043e\u0432\u043e\u0439 \u0432\u043a\u043b\u0430\u0434\u043a\u0435", - "FolderTypeTvShows": "\u0422\u0412", - "Administrator": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440", - "HeaderSelectMediaPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "PinCodeResetConfirmation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c PIN-\u043a\u043e\u0434?", - "ButtonShuffle": "\u041f\u0435\u0440\u0435\u043c\u0435\u0448\u0430\u0442\u044c", - "ButtonCancelSyncJob": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e", - "BirthPlaceValue": "\u041c\u0435\u0441\u0442\u043e \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f: {0}", - "Password": "\u041f\u0430\u0440\u043e\u043b\u044c", - "ButtonNetwork": "\u0421\u0435\u0442\u044c...", - "OptionContinuing": "\u041f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u0435\u0442\u0441\u044f", - "ButtonInstantMix": "\u0410\u0432\u0442\u043e\u043c\u0438\u043a\u0441...", - "DeathDateValue": "\u041a\u043e\u043d\u0447\u0438\u043d\u0430: {0}", - "MessageDirectoryPickerInstruction": "\u0421\u0435\u0442\u0435\u0432\u044b\u0435 \u043f\u0443\u0442\u0438 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0432\u0432\u0435\u0441\u0442\u0438 \u0432\u0440\u0443\u0447\u043d\u0443\u044e, \u0432 \u0442\u043e\u043c \u0441\u043b\u0443\u0447\u0430\u0435, \u0435\u0441\u043b\u0438 \u043f\u0440\u0438 \u043d\u0430\u0436\u0430\u0442\u0438\u0438 \u043a\u043d\u043e\u043f\u043a\u0438 \u00ab\u0421\u0435\u0442\u044c\u00bb \u043f\u0440\u043e\u0438\u0441\u0445\u043e\u0434\u0438\u0442 \u0441\u0431\u043e\u0439 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432. \u041d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: {0} \u0438\u043b\u0438 {1}.", - "HeaderPinCodeReset": "\u0421\u0431\u0440\u043e\u0441 PIN-\u043a\u043e\u0434\u0430", - "OptionEnded": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u043b\u0441\u044f", - "ButtonResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u0442\u044c", + "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b...", + "ButtonScenes": "\u0421\u0446\u0435\u043d\u044b...", + "ButtonQuality": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e...", + "HeaderNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", + "HeaderSelectPlayer": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f:", + "ButtonSelect": "\u0412\u044b\u0431\u0440\u0430\u0442\u044c", + "ButtonNew": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", + "MessageInternetExplorerWebm": "\u0414\u043b\u044f \u043b\u0443\u0447\u0448\u0435\u0433\u043e \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u0430 \u0432 Internet Explorer, \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f WebM.", + "HeaderVideoError": "\u041e\u0448\u0438\u0431\u043a\u0430 \u0432\u0438\u0434\u0435\u043e", "ButtonAddToPlaylist": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a \u0441\u043f\u0438\u0441\u043a\u0443 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", - "BirthDateValue": "\u0420\u043e\u0436\u0434\u0435\u043d\u0438\u0435: {0}", - "ButtonMoreItems": "\u0415\u0449\u0451...", - "DeleteImage": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043e\u043a", "HeaderAddToPlaylist": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043a \u0441\u043f\u0438\u0441\u043a\u0443 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", - "LabelSelectCollection": "\u0412\u044b\u0431\u043e\u0440 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438:", - "MessageNoSyncJobsFound": "\u0417\u0430\u0434\u0430\u043d\u0438\u0439 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e. \u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u0437\u0430\u0434\u0430\u043d\u0438\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043a\u043d\u043e\u043f\u043e\u043a \u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c, \u043d\u0430\u0445\u043e\u0434\u044f\u0449\u0438\u0445\u0441\u044f \u043f\u043e \u0432\u0441\u0435\u043c\u0443 \u0432\u0435\u0431-\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0443.", - "ButtonRemoveFromPlaylist": "\u0418\u0437\u044a\u044f\u0442\u044c \u0438\u0437 \u0441\u043f\u0438\u0441\u043a\u0430 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", - "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?", - "HeaderLoginFailure": "\u0421\u0431\u043e\u0439 \u0432\u0445\u043e\u0434\u0430", - "OptionSunday": "\u0432\u043e\u0441\u043a\u0440\u0435\u0441\u0435\u043d\u044c\u0435", + "LabelName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435):", + "ButtonSubmit": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c", "LabelSelectPlaylist": "\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440-\u0438\u044f:", - "LabelContentTypeValue": "\u0422\u0438\u043f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f: {0}", - "FileReadCancelled": "\u0427\u0442\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u0430 \u0431\u044b\u043b\u043e \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u043e.", - "OptionMonday": "\u043f\u043e\u043d\u0435\u0434\u0435\u043b\u044c\u043d\u0438\u043a", "OptionNewPlaylist": "\u041d\u043e\u0432\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a...", - "FileNotFound": "\u0424\u0430\u0439\u043b \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d.", - "HeaderPlaybackError": "\u041e\u0448\u0438\u0431\u043a\u0430 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "OptionTuesday": "\u0432\u0442\u043e\u0440\u043d\u0438\u043a", "MessageAddedToPlaylistSuccess": "\u041e\u041a", - "FileReadError": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0447\u0442\u0435\u043d\u0438\u0438 \u0444\u0430\u0439\u043b\u0430.", - "HeaderName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435)", - "OptionWednesday": "\u0441\u0440\u0435\u0434\u0430", + "ButtonView": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c", + "ButtonViewSeriesRecording": "\u0421\u043c. \u0437\u0430\u043f\u0438\u0441\u044c \u0441\u0435\u0440\u0438\u0430\u043b\u0430", + "ValueOriginalAirDate": "\u0414\u0430\u0442\u0430 \u0438\u0441\u0445\u043e\u0434\u043d\u043e\u0433\u043e \u044d\u0444\u0438\u0440\u0430: {0}", + "ButtonRemoveFromPlaylist": "\u0418\u0437\u044a\u044f\u0442\u044c \u0438\u0437 \u0441\u043f\u0438\u0441\u043a\u0430 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", + "HeaderSpecials": "\u0421\u043f\u0435\u0446.", + "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b.", + "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", + "HeaderResolution": "\u0420\u0430\u0437\u0440.", + "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", + "HeaderRuntime": "\u0414\u043b\u0438\u0442.", + "HeaderCommunityRating": "\u041e\u0431\u0449. \u043e\u0446\u0435\u043d\u043a\u0430", + "HeaderPasswordReset": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", + "HeaderParentalRating": "\u0412\u043e\u0437\u0440. \u043a\u0430\u0442.", + "HeaderReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f.", + "HeaderDateAdded": "\u0414\u0430\u0442\u0430 \u0434\u043e\u0431.", + "HeaderSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", + "HeaderSeason": "\u0421\u0435\u0437\u043e\u043d", + "HeaderSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430", + "HeaderNetwork": "\u0422\u0435\u043b\u0435\u0441\u0435\u0442\u044c", + "HeaderYear": "\u0413\u043e\u0434", + "HeaderGameSystem": "\u0418\u0433\u0440. \u0441\u0438\u0441\u0442.", + "HeaderPlayers": "\u0418\u0433\u0440\u043e\u043a\u0438", + "HeaderEmbeddedImage": "\u0412\u043d\u0435\u0434\u0440\u0451\u043d\u043d\u044b\u0439 \u0440\u0438\u0441\u0443\u043d\u043e\u043a", + "HeaderTrack": "\u0414\u043e\u0440-\u043a\u0430", + "HeaderDisc": "\u0414\u0438\u0441\u043a", + "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", "OptionCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", - "DeleteUser": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "OptionThursday": "\u0447\u0435\u0442\u0432\u0435\u0440\u0433", "OptionSeries": "\u0422\u0412-\u0441\u0435\u0440\u0438\u0430\u043b\u044b", - "DeleteUserConfirmation": "\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 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f?", - "MessagePlaybackErrorNotAllowed": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0438\u0439 \u043c\u043e\u043c\u0435\u043d\u0442 \u0432\u044b \u043d\u0435 \u0430\u0432\u0442\u043e\u0440\u0438\u0437\u043e\u0432\u0430\u043d\u044b \u0434\u043b\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f. \u0417\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", - "OptionFriday": "\u043f\u044f\u0442\u043d\u0438\u0446\u0430", "OptionSeasons": "\u0422\u0412-\u0441\u0435\u0437\u043e\u043d\u044b", - "PasswordResetHeader": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", - "OptionSaturday": "\u0441\u0443\u0431\u0431\u043e\u0442\u0430", + "OptionEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", "OptionGames": "\u0418\u0433\u0440\u044b", - "PasswordResetComplete": "\u041f\u0430\u0440\u043e\u043b\u044c \u0431\u044b\u043b \u0441\u0431\u0440\u043e\u0448\u0435\u043d.", - "HeaderSpecials": "\u0421\u043f\u0435\u0446.", "OptionGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b", - "PasswordResetConfirmation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c?", - "MessagePlaybackErrorNoCompatibleStream": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0438\u0439 \u043c\u043e\u043c\u0435\u043d\u0442 \u043d\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0445 \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u044b\u0445 \u043f\u043e\u0442\u043e\u043a\u043e\u0432. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435 \u0438\u043b\u0438 \u0437\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", - "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b.", "OptionMusicArtists": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", - "PasswordSaved": "\u041f\u0430\u0440\u043e\u043b\u044c \u0431\u044b\u043b \u0441\u043e\u0445\u0440\u0430\u043d\u0451\u043d.", - "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", "OptionMusicAlbums": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b", - "PasswordMatchError": "\u041f\u0430\u0440\u043e\u043b\u044c \u0438 \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f \u0434\u043e\u043b\u0436\u043d\u044b \u0441\u043e\u0432\u043f\u0430\u0434\u0430\u0442\u044c", - "HeaderResolution": "\u0420\u0430\u0437\u0440.", - "LabelFailed": "(\u043d\u0435\u0443\u0434\u0430\u0447\u043d\u043e)", "OptionMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", - "MessagePlaybackErrorRateLimitExceeded": "\u0412\u0430\u0448\u0430 \u043f\u0440\u0435\u0434\u0435\u043b\u044c\u043d\u0430\u044f \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0431\u044b\u043b\u0430 \u043f\u0440\u0435\u0432\u044b\u0448\u0435\u043d\u0430. \u0417\u0430 \u043f\u043e\u0434\u0440\u043e\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \u0441\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441 \u0432\u0430\u0448\u0438\u043c \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c.", - "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", - "ButtonSelect": "\u0412\u044b\u0431\u0440\u0430\u0442\u044c", - "LabelVersionNumber": "\u0412\u0435\u0440\u0441\u0438\u044f {0}", "OptionSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", - "HeaderRuntime": "\u0414\u043b\u0438\u0442.", - "LabelPlayMethodTranscoding": "\u041f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u0435\u0442\u0441\u044f", "OptionHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", - "ButtonSave": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c", - "HeaderCommunityRating": "\u041e\u0431\u0449. \u043e\u0446\u0435\u043d\u043a\u0430", - "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b", - "LabelPlayMethodDirectStream": "\u0422\u0440\u0430\u043d\u0441\u043b\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e", "OptionBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderParentalRating": "\u0412\u043e\u0437\u0440. \u043a\u0430\u0442.", - "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430:", - "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", - "LabelPlayMethodDirectPlay": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e", "OptionAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", - "ButtonDownload": "\u0417\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c", - "HeaderReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f.", - "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", - "LabelAudioCodec": "\u0410\u0443\u0434\u0438\u043e: {0}", "ButtonUp": "\u0412\u0432\u0435\u0440\u0445", - "LabelUnknownLanaguage": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0439 \u044f\u0437\u044b\u043a", - "HeaderDateAdded": "\u0414\u0430\u0442\u0430 \u0434\u043e\u0431.", - "LabelVideoCodec": "\u0412\u0438\u0434\u0435\u043e: {0}", "ButtonDown": "\u0412\u043d\u0438\u0437", - "HeaderCurrentSubtitles": "\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "ButtonPlayExternalPlayer": "\u0412\u043e\u0441\u043f\u0440. \u0432\u043d\u0435\u0448\u043d\u0438\u043c \u043f\u0440\u043e\u0438\u0433\u0440-\u0435\u043c", - "HeaderSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", - "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "TabSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", - "LabelRemoteAccessUrl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f: {0}", "LabelMetadataReaders": "\u0421\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u0435\u043b\u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", - "MessageDownloadQueued": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0431\u044b\u043b\u0430 \u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0430 \u0432 \u043e\u0447\u0435\u0440\u0435\u0434\u044c.", - "HeaderSelectExternalPlayer": "\u0412\u044b\u0431\u043e\u0440 \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderSeason": "\u0421\u0435\u0437\u043e\u043d", - "HeaderSupportTheTeam": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 Emby", - "LabelRunningOnPort": "\u0420\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043d\u0430 HTTP-\u043f\u043e\u0440\u0442\u0443 {0}.", "LabelMetadataReadersHelp": "\u0420\u0430\u043d\u0436\u0438\u0440\u0443\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0435 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a\u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432 \u043f\u043e\u0440\u044f\u0434\u043a\u0435 \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u0430. \u0411\u0443\u0434\u0435\u0442 \u0441\u0447\u0438\u0442\u0430\u043d \u043f\u0435\u0440\u0432\u044b\u0439 \u0436\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043d\u044b\u0439 \u0444\u0430\u0439\u043b.", - "MessageAreYouSureDeleteSubtitles": "\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 \u0444\u0430\u0439\u043b \u0441\u0443\u0431\u0438\u0442\u0440\u043e\u0432?", - "HeaderExternalPlayerPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u043d\u0435\u0448\u043d\u0438\u043c \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0435\u043c", - "HeaderSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430", - "LabelRunningOnPorts": "\u0420\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043d\u0430 HTTP-\u043f\u043e\u0440\u0442\u0443 {0} \u0438 HTTPS-\u043f\u043e\u0440\u0442\u0443 {1}.", "LabelMetadataDownloaders": "\u0417\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", - "ButtonImDone": "\u042f \u0437\u0430\u043a\u043e\u043d\u0447\u0438\u043b", - "HeaderNetwork": "\u0422\u0435\u043b\u0435\u0441\u0435\u0442\u044c", "LabelMetadataDownloadersHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0438 \u0440\u0430\u043d\u0436\u0438\u0440\u0443\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0435 \u0437\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432 \u043f\u043e\u0440\u044f\u0434\u043a\u0435 \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u0430. \u0417\u0430\u0433\u0440\u0443\u0437\u0447\u0438\u043a\u0438 \u0441 \u043d\u0438\u0437\u043a\u0438\u043c \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u044e\u0449\u0435\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438.", - "HeaderLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "HeaderYear": "\u0413\u043e\u0434", "LabelMetadataSavers": "\u0425\u0440\u0430\u043d\u0438\u0442\u0435\u043b\u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", - "HeaderGameSystem": "\u0418\u0433\u0440. \u0441\u0438\u0441\u0442.", - "MessagePleaseSupportProject": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 Emby", "LabelMetadataSaversHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u0444\u0430\u0439\u043b\u043e\u0432, \u043a\u0443\u0434\u0430 \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c\u0441\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435.", - "HeaderPlayers": "\u0418\u0433\u0440\u043e\u043a\u0438", "LabelImageFetchers": "\u041e\u0442\u0431\u043e\u0440\u0449\u0438\u043a\u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:", - "HeaderEmbeddedImage": "\u0412\u043d\u0435\u0434\u0440\u0451\u043d\u043d\u044b\u0439 \u0440\u0438\u0441\u0443\u043d\u043e\u043a", - "ButtonNew": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", "LabelImageFetchersHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0438 \u0440\u0430\u043d\u0436\u0438\u0440\u0443\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0435 \u043e\u0442\u0431\u043e\u0440\u0449\u0438\u043a\u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432 \u043f\u043e\u0440\u044f\u0434\u043a\u0435 \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u0430.", - "MessageSwipeDownOnRemoteControl": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0441 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u043c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435\u043c. \u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0435\u043c\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e, \u043d\u0430\u0436\u0430\u0432 \u043d\u0430 \u0437\u043d\u0430\u0447\u043e\u043a \u043a\u0430\u0441\u0442\u0430 \u0432 \u043f\u0440\u0430\u0432\u043e\u043c \u0432\u0435\u0440\u0445\u043d\u0435\u043c \u0443\u0433\u043b\u0443. \u041f\u0440\u043e\u0432\u0435\u0434\u0438\u0442\u0435 \u0432\u043d\u0438\u0437 \u0432 \u043b\u044e\u0431\u043e\u043c \u043c\u0435\u0441\u0442\u0435 \u043d\u0430 \u0434\u0430\u043d\u043d\u043e\u043c \u044d\u043a\u0440\u0430\u043d\u0435, \u0447\u0442\u043e\u0431\u044b \u0432\u0435\u0440\u043d\u0443\u0442\u044c\u0441\u044f \u0442\u0443\u0434\u0430, \u043e\u0442\u043a\u0443\u0434\u0430 \u0432\u044b \u043f\u0440\u0438\u0448\u043b\u0438.", - "HeaderTrack": "\u0414\u043e\u0440-\u043a\u0430", - "HeaderWelcomeToProjectServerDashboard": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438 Emby Server", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "HeaderDisc": "\u0414\u0438\u0441\u043a", - "HeaderWelcomeToProjectWebClient": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", - "LabelName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435):", - "LabelAddedOnDate": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e {0}", - "ButtonRemove": "\u0418\u0437\u044a\u044f\u0442\u044c", - "ButtonStart": "\u0417\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c", + "ButtonQueueAllFromHere": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u044c \u0432\u0441\u0435 \u043e\u0442\u0441\u044e\u0434\u0430", + "ButtonPlayAllFromHere": "\u0412\u043e\u0441\u043f\u0440. \u0432\u0441\u0435 \u043e\u0442\u0441\u044e\u0434\u0430", + "LabelDynamicExternalId": "{0} Id:", + "HeaderIdentify": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", + "PersonTypePerson": "\u041f\u0435\u0440\u0441\u043e\u043d\u0430", + "LabelTitleDisplayOrder": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439:", + "OptionSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435", + "LabelDiscNumber": "\u041d\u043e\u043c\u0435\u0440 \u0434\u0438\u0441\u043a\u0430", + "LabelParentNumber": "\u0420\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0439 \u043d\u043e\u043c\u0435\u0440", + "LabelTrackNumber": "\u041d\u043e\u043c\u0435\u0440 \u0434\u043e\u0440\u043e\u0436\u043a\u0438:", + "LabelNumber": "\u041d\u043e\u043c\u0435\u0440:", + "LabelReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430:", + "LabelEndDate": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u0434\u0430\u0442\u0430:", + "LabelYear": "\u0413\u043e\u0434:", + "LabelDateOfBirth": "\u0414\u0430\u0442\u0430 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", + "LabelBirthYear": "\u0413\u043e\u0434 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", + "LabelBirthDate": "\u0414\u0430\u0442\u0430 \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", + "LabelDeathDate": "\u0414\u0430\u0442\u0430 \u0441\u043c\u0435\u0440\u0442\u0438:", + "HeaderRemoveMediaLocation": "\u0418\u0437\u044a\u044f\u0442\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "MessageConfirmRemoveMediaLocation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u044d\u0442\u043e \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435?", + "HeaderRenameMediaFolder": "\u041f\u0435\u0440\u0435\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "LabelNewName": "\u041d\u043e\u0432\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", + "HeaderAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "HeaderAddMediaFolderHelp": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 (\u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430, \u0422\u0412 \u0438 \u0442.\u043f.).", + "HeaderRemoveMediaFolder": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u0418\u0437 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u044a\u044f\u0442\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 :", + "MessageAreYouSureYouWishToRemoveMediaFolder": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0438\u0437\u044a\u044f\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0443?", + "ButtonRename": "\u041f\u0435\u0440\u0435\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u0442\u044c", + "ButtonChangeType": "\u0421\u043c\u0435\u043d\u0438\u0442\u044c \u0442\u0438\u043f", + "HeaderMediaLocations": "\u0420\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "LabelContentTypeValue": "\u0422\u0438\u043f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f: {0}", + "LabelPathSubstitutionHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e: \u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u0443\u0442\u0435\u0439 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u043f\u0443\u0442\u0435\u0439 \u0441\u043e \u0441\u0435\u0442\u0435\u0432\u044b\u043c\u0438 \u043e\u0431\u0449\u0438\u043c\u0438 \u0440\u0435\u0441\u0443\u0440\u0441\u0430\u043c\u0438, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0441\u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \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.", + "FolderTypeUnset": "\u041d\u0435\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0439 (\u0440\u0430\u0437\u043d\u043e\u0442\u0438\u043f\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435)", + "FolderTypeMovies": "\u041a\u0438\u043d\u043e", + "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "FolderTypeAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypeGames": "\u0418\u0433\u0440\u044b", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "\u0422\u0412", + "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", + "TabSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", + "TabEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", + "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", + "TabGames": "\u0418\u0433\u0440\u044b", + "TabAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", + "TabSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", + "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "BirthPlaceValue": "\u041c\u0435\u0441\u0442\u043e \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f: {0}", + "DeathDateValue": "\u041a\u043e\u043d\u0447\u0438\u043d\u0430: {0}", + "BirthDateValue": "\u0420\u043e\u0436\u0434\u0435\u043d\u0438\u0435: {0}", + "HeaderLatestReviews": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043e\u0442\u0437\u044b\u0432\u044b", + "HeaderPluginInstallation": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430", + "MessageAlreadyInstalled": "\u0414\u0430\u043d\u043d\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f \u0443\u0436\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430.", + "ValueReviewCount": "{0} \u043e\u0442\u0437\u044b\u0432(\u0430\/\u043e\u0432)", + "MessageYouHaveVersionInstalled": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430 \u0432\u0435\u0440\u0441\u0438\u044f {0}.", + "MessageTrialExpired": "\u041f\u0440\u043e\u0431\u043d\u044b\u0439 \u043f\u0435\u0440\u0438\u043e\u0434 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0438\u0441\u0442\u0451\u043a", + "MessageTrialWillExpireIn": "\u041f\u0440\u043e\u0431\u043d\u044b\u0439 \u043f\u0435\u0440\u0438\u043e\u0434 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0438\u0441\u0442\u0435\u0447\u0451\u0442 \u0447\u0435\u0440\u0435\u0437 {0} \u0434\u043d\u0435\u0439", + "MessageInstallPluginFromApp": "\u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u043b\u0430\u0433\u0438\u043d \u0434\u043e\u043b\u0436\u0435\u043d \u0443\u0441\u0442\u0430\u043d\u0430\u0432\u043b\u0438\u0432\u0430\u0442\u044c\u0441\u044f \u0438\u0437\u043d\u0443\u0442\u0440\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u0434\u043b\u044f \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u043e\u043d\u043e \u043f\u0440\u0435\u0434\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043e.", + "ValuePriceUSD": "\u0426\u0435\u043d\u0430: {0} USD", + "MessageFeatureIncludedWithSupporter": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u0443\u043d\u043a\u0446\u0438\u0438, \u0438 \u0431\u0443\u0434\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u0442\u044c \u0435\u0451 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0441 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e\u043c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", + "MessageChangeRecurringPlanConfirm": "\u041f\u043e\u0441\u043b\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u044f \u0434\u0430\u043d\u043d\u043e\u0439 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438, \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0432\u0430\u0448\u0435 \u043f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435 \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435 \u0438\u0437\u043d\u0443\u0442\u0440\u0438 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 PayPal. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441 \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby.", + "MessageSupporterMembershipExpiredOn": "\u0412\u0430\u0448\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0438\u0441\u0442\u0435\u043a\u043b\u043e {0}.", + "MessageYouHaveALifetimeMembership": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043f\u043e\u0436\u0438\u0437\u043d\u0435\u043d\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430. \u0412\u044b \u043c\u043e\u0436\u0435\u0442\u0435 \u0434\u0435\u043b\u0430\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f \u0435\u0434\u0438\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e \u0438\u043b\u0438 \u043d\u0430 \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0439 \u043e\u0441\u043d\u043e\u0432\u0435, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044f \u043d\u0438\u0436\u0435\u0443\u043a\u0430\u0437\u0430\u043d\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441 \u0437\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0443 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "\u0423 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 {0} \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e. \u0412\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0432\u043e\u0435\u0439 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043f\u043b\u0430\u0442\u0435\u0436\u0435\u0439 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043d\u0438\u0436\u0435\u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439.", + "ButtonDelete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", "HeaderEmbyAccountAdded": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0430", - "HeaderBlockItemsWithNoRating": "\u0411\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0431\u0435\u0437 \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u043e\u0439 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438:", - "LabelLocalAccessUrl": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f: {0}", - "OptionBlockOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", - "SyncJobStatusReadyToTransfer": "\u0413\u043e\u0442\u043e\u0432\u043e \u043a \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0443", - "OptionBlockTvShows": "\u0422\u0412-\u0446\u0438\u043a\u043b\u044b", - "SyncJobItemStatusReadyToTransfer": "\u0413\u043e\u0442\u043e\u0432\u043e \u043a \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0443", "MessageEmbyAccountAdded": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0431\u044b\u043b\u0430 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0430 \u0434\u043b\u044f \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "OptionBlockMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "OptionBlockMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", - "HeaderAllRecordings": "\u0412\u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", "MessagePendingEmbyAccountAdded": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0431\u044b\u043b\u0430 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0430 \u0434\u043b\u044f \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f. \u042d-\u043f\u043e\u0447\u0442\u0430 \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0430 \u0432\u043b\u0430\u0434\u0435\u043b\u044c\u0446\u0443 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438. \u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043d\u0443\u0436\u043d\u043e \u0431\u0443\u0434\u0435\u0442 \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c, \u0449\u0451\u043b\u043a\u043d\u0443\u0432 \u043f\u043e \u0441\u0441\u044b\u043b\u043a\u0435 \u0432 \u042d-\u043f\u043e\u0447\u0442\u0435.", - "OptionBlockBooks": "\u041a\u043d\u0438\u0433\u0438", - "ButtonPlay": "\u0412\u043e\u0441\u043f\u0440.", - "OptionBlockGames": "\u0418\u0433\u0440\u044b", - "MessageKeyEmailedTo": "\u041a\u043b\u044e\u0447 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d \u043d\u0430 {0}.", - "TabGames": "\u0418\u0433\u0440\u044b", - "ButtonEdit": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c", - "OptionBlockLiveTvPrograms": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", - "MessageKeysLinked": "\u041a\u043b\u044e\u0447\u0438 \u0441\u0432\u044f\u0437\u0430\u043d\u044b.", - "HeaderEmbyAccountRemoved": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0438\u0437\u044a\u044f\u0442\u0430", - "OptionBlockLiveTvChannels": "\u041a\u0430\u043d\u0430\u043b\u044b \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", - "HeaderConfirmation": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435", - "ButtonDelete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", - "OptionBlockChannelContent": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u0430", - "MessageKeyUpdated": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0431\u044b\u043b \u043e\u0431\u043d\u043e\u0432\u043b\u0451\u043d.", - "MessageKeyRemoved": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0431\u044b\u043b \u0443\u0434\u0430\u043b\u0451\u043d.", - "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", - "MessageEmbyAccontRemoved": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0431\u044b\u043b\u0430 \u0438\u0437\u044a\u044f\u0442\u0430 \u0443 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderSearch": "\u041f\u043e\u0438\u0441\u043a", - "OptionEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", - "LabelArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", - "LabelMovie": "\u0424\u0438\u043b\u044c\u043c", - "HeaderPasswordReset": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", - "TooltipLinkedToEmbyConnect": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u0432\u044f\u0437\u044c \u0441 Emby Connect", - "LabelMusicVideo": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0438\u0434\u0435\u043e", - "LabelEpisode": "\u042d\u043f\u0438\u0437\u043e\u0434", - "LabelAbortedByServerShutdown": "(\u041f\u0440\u0435\u0440\u0432\u0430\u043d\u043e \u043e\u0442\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u0430)", - "HeaderConfirmSeriesCancellation": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043e\u0442\u043c\u0435\u043d\u044b \u0441\u0435\u0440\u0438\u0438", - "LabelStopping": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430", - "MessageConfirmSeriesCancellation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0438\u0430\u043b?", - "LabelCancelled": "(\u043e\u0442\u043c\u0435\u043d\u0435\u043d\u043e)", - "MessageSeriesCancelled": "\u0421\u0435\u0440\u0438\u0430\u043b \u043e\u0442\u043c\u0435\u043d\u0451\u043d.", - "HeaderConfirmDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f", - "MessageConfirmPathSubstitutionDeletion": "\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\u0443\u044e \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0443 \u043f\u0443\u0442\u0438?", - "LabelScheduledTaskLastRan": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u043b\u0430\u0441\u044c {0}, \u0437\u0430\u043d\u044f\u043b\u0430 {1}.", - "LiveTvUpdateAvailable": "(\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435)", - "TitleLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", - "HeaderDeleteTaskTrigger": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430 \u0437\u0430\u0434\u0430\u0447\u0438", - "LabelVersionUpToDate": "\u0421 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u043c\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f\u043c\u0438!", - "ButtonTakeTheTour": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f", - "ButtonInbox": "\u0412\u0445\u043e\u0434\u044f\u0449\u0438\u0435...", - "HeaderPlotKeywords": "\u041a\u043b\u044e\u0447\u0435\u0432\u044b\u0435 \u0441\u043b\u043e\u0432\u0430 \u0441\u044e\u0436\u0435\u0442\u0430", - "HeaderTags": "\u0422\u0435\u0433\u0438", - "TabCast": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438", - "WebClientTourMySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0443\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0441 \u0432\u0430\u0448\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", - "TabScenes": "\u0421\u0446\u0435\u043d\u044b", - "DashboardTourSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0443\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0441 \u0432\u0430\u0448\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", - "MessageRefreshQueued": "\u041f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0432 \u043e\u0447\u0435\u0440\u0435\u0434\u0438", - "DashboardTourHelp": "\u0412\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u0430\u044f \u0441\u043f\u0440\u0430\u0432\u043a\u0430 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u043f\u0440\u043e\u0441\u0442\u044b\u0435 \u043a\u043d\u043e\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0432\u0430\u0442\u044c \u0432\u0438\u043a\u0438-\u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b, \u043e\u0442\u043d\u043e\u0441\u044f\u0449\u0438\u0445\u0441\u044f \u043a \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e \u044d\u043a\u0440\u0430\u043d\u0430.", - "DeviceLastUsedByUserName": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435: {0}", - "HeaderDeleteDevice": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e", - "DeleteDeviceConfirmation": "\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\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e? \u041e\u043d\u043e \u043f\u043e\u044f\u0432\u0438\u0442\u0441\u044f \u0441\u043d\u043e\u0432\u0430 \u0432 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0440\u0430\u0437, \u043a\u043e\u0433\u0434\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0432\u043e\u0439\u0434\u0451\u0442 \u0441 \u043d\u0435\u0433\u043e.", - "LabelEnableCameraUploadFor": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f \u0441 \u043a\u0430\u043c\u0435\u0440\u044b \u0434\u043b\u044f:", - "HeaderSelectUploadPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u0435\u043c\u043e\u0433\u043e", - "LabelEnableCameraUploadForHelp": "\u0412\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f \u043f\u0440\u043e\u0438\u0437\u043e\u0439\u0434\u0443\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0432\u043e \u0444\u043e\u043d\u043e\u0432\u043e\u043c \u0440\u0435\u0436\u0438\u043c\u0435, \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0432 Emby.", - "ButtonLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435...", - "ButtonParentalControl": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c...", - "TabDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "LabelItemLimit": "\u041f\u0440\u0435\u0434\u0435\u043b \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432:", - "HeaderAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", - "LabelItemLimitHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e. \u041f\u0440\u0435\u0434\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u0438\u0441\u043b\u043e \u0441\u0438\u043d\u0445\u0440-\u0435\u043c\u044b\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432.", - "MessageBookPluginRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 Bookshelf", + "HeaderEmbyAccountRemoved": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0438\u0437\u044a\u044f\u0442\u0430", + "MessageEmbyAccontRemoved": "\u0423\u0447\u0451\u0442\u043d\u0430\u044f \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0431\u044b\u043b\u0430 \u0438\u0437\u044a\u044f\u0442\u0430 \u0443 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "TooltipLinkedToEmbyConnect": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u0432\u044f\u0437\u044c \u0441 Emby Connect", + "HeaderUnrated": "\u0411\u0435\u0437 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438", + "ValueDiscNumber": "\u0414\u0438\u0441\u043a {0}", + "HeaderUnknownDate": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u0430\u044f \u0434\u0430\u0442\u0430", + "HeaderUnknownYear": "\u041d\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0439 \u0433\u043e\u0434", + "ValueMinutes": "{0} \u043c\u0438\u043d", + "ButtonPlayExternalPlayer": "\u0412\u043e\u0441\u043f\u0440. \u0432\u043d\u0435\u0448\u043d\u0438\u043c \u043f\u0440\u043e\u0438\u0433\u0440-\u0435\u043c", + "HeaderSelectExternalPlayer": "\u0412\u044b\u0431\u043e\u0440 \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f", + "HeaderExternalPlayerPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u043d\u0435\u0448\u043d\u0438\u043c \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0435\u043c", + "ButtonImDone": "\u042f \u0437\u0430\u043a\u043e\u043d\u0447\u0438\u043b", + "OptionWatched": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043e", + "OptionUnwatched": "\u041d\u0435 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043e", + "ExternalPlayerPlaystateOptionsHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435, \u043a\u0430\u043a \u0432\u044b \u0445\u043e\u0442\u0435\u043b\u0438 \u0431\u044b \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0432\u0438\u0434\u0435\u043e \u0432\u043e \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0440\u0430\u0437.", + "LabelMarkAs": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a:", + "OptionInProgress": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f", + "LabelResumePoint": "\u0422\u043e\u0447\u043a\u0430 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f:", + "ValueOneMovie": "1 \u0444\u0438\u043b\u044c\u043c", + "ValueMovieCount": "{0} \u0444\u0438\u043b\u044c\u043c(\u0430\/\u043e\u0432)", + "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440(\u0430\/\u043e\u0432)", + "ValueOneSeries": "1 \u0441\u0435\u0440\u0438\u0430\u043b", + "ValueSeriesCount": "{0} \u0441\u0435\u0440\u0438\u0430\u043b(\u0430\/\u043e\u0432)", + "ValueOneEpisode": "1 \u044d\u043f\u0438\u0437\u043e\u0434", + "ValueEpisodeCount": "{0} \u044d\u043f\u0438\u0437\u043e\u0434(\u0430\/\u043e\u0432)", + "ValueOneGame": "1 \u0438\u0433\u0440\u0430", + "ValueGameCount": "{0} \u0438\u0433\u0440(\u044b)", + "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", + "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c(\u0430\/\u043e\u0432)", + "ValueOneSong": "1 \u043c\u0435\u043b\u043e\u0434\u0438\u044f", + "ValueSongCount": "{0} \u043c\u0435\u043b\u043e\u0434\u0438(\u0438\/\u0439)", + "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0438\u0434\u0435\u043e", + "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0445 \u0432\u0438\u0434\u0435\u043e", + "HeaderOffline": "\u0410\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e", + "HeaderUnaired": "\u041e\u0436\u0438\u0434\u0430\u0435\u0442\u0441\u044f", + "HeaderMissing": "\u041e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442", + "ButtonWebsite": "\u0412\u0435\u0431\u0441\u0430\u0439\u0442...", + "TooltipFavorite": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", + "TooltipLike": "\u041d\u0440\u0430\u0432\u0438\u0442\u0441\u044f", + "TooltipDislike": "\u041d\u0435 \u043d\u0440\u0430\u0432\u0438\u0442\u0441\u044f", + "TooltipPlayed": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u043e", + "ValueSeriesYearToPresent": "{0} - \u041d.\u0412.", + "ValueAwards": "\u041f\u0440\u0438\u0437\u044b: {0}", + "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442: {0}", + "ValueRevenue": "\u0412\u044b\u0440\u0443\u0447\u043a\u0430: {0}", + "ValuePremiered": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430 {0}", + "ValuePremieres": "\u041f\u0440\u0435\u043c\u044c\u0435\u0440\u0430 {0}", + "ValueStudio": "\u0421\u0442\u0443\u0434\u0438\u044f: {0}", + "ValueStudios": "\u0421\u0442\u0443\u0434\u0438\u0438: {0}", + "ValueStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435: {0}", + "ValueSpecialEpisodeName": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434 - {0}", + "LabelLimit": "\u041f\u0440\u0435\u0434\u0435\u043b:", + "ValueLinks": "\u0421\u0441\u044b\u043b\u043a\u0438: {0}", + "HeaderPeople": "\u041b\u044e\u0434\u0438", "HeaderCastAndCrew": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438 \u0441\u044a\u0451\u043c\u043e\u043a", - "MessageGamePluginRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 GameBrowser", "ValueArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c: {0}", "ValueArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438: {0}", + "HeaderTags": "\u0422\u0435\u0433\u0438", "MediaInfoCameraMake": "\u041f\u0440\u043e\u0438\u0437\u0432-\u043b\u044c \u043a\u0430\u043c\u0435\u0440\u044b", "MediaInfoCameraModel": "\u041c\u043e\u0434\u0435\u043b\u044c \u043a\u0430\u043c\u0435\u0440\u044b", "MediaInfoAltitude": "\u0412\u044b\u0441\u043e\u0442\u0430", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "\u0414\u043e\u043b\u0433\u043e\u0442\u0430", "MediaInfoShutterSpeed": "\u0412\u044b\u0434\u0435\u0440\u0436\u043a\u0430", "MediaInfoSoftware": "\u041f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u0430", - "TabNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", "HeaderIfYouLikeCheckTheseOut": "\u0415\u0441\u043b\u0438 \u0432\u0430\u043c \u043d\u0440\u0430\u0432\u0438\u0442\u0441\u044f \u00ab{0}\u00bb, \u043e\u0437\u043d\u0430\u043a\u043e\u043c\u044c\u0442\u0435\u0441\u044c \u0441...", + "HeaderPlotKeywords": "\u041a\u043b\u044e\u0447\u0435\u0432\u044b\u0435 \u0441\u043b\u043e\u0432\u0430 \u0441\u044e\u0436\u0435\u0442\u0430", "HeaderMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", "HeaderAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", "HeaderGames": "\u0418\u0433\u0440\u044b", - "HeaderConnectionFailure": "\u0421\u0431\u043e\u0439 \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f", "HeaderBooks": "\u041a\u043d\u0438\u0433\u0438", - "MessageUnableToConnectToServer": "\u041c\u044b \u043d\u0435 \u043c\u043e\u0436\u0435\u043c \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 \u0441\u0435\u0440\u0432\u0435\u0440\u0443 \u0432 \u0434\u0430\u043d\u043d\u044b\u0439 \u043c\u043e\u043c\u0435\u043d\u0442. \u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u043e\u043d \u0437\u0430\u043f\u0443\u0449\u0435\u043d \u0438 \u043f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", - "MessageUnsetContentHelp": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u0442\u0441\u044f \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438. \u0414\u043b\u044f \u043d\u0430\u0438\u043b\u0443\u0447\u0448\u0438\u0445 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u043e\u0432 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0434\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0437\u043d\u0430\u0447\u0430\u0442\u044c \u0442\u0438\u043f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043f\u043e\u0434\u043f\u0430\u043f\u043e\u043a.", + "HeaderEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", "HeaderSeasons": "\u0421\u0435\u0437\u043e\u043d\u044b", "HeaderTracks": "\u0414\u043e\u0440-\u043a\u0438", "HeaderItems": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442\u044b", @@ -653,153 +632,178 @@ "ButtonFullReview": "\u041f\u043e\u043b\u043d\u0430\u044f \u0440\u0435\u0446\u0435\u043d\u0437\u0438\u044f...", "ValueAsRole": "\u043a\u0430\u043a {0}", "ValueGuestStar": "\u041f\u0440\u0438\u0433\u043b. \u0430\u043a\u0442\u0451\u0440", - "HeaderInviteGuest": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u0433\u043e\u0441\u0442\u044f", "MediaInfoSize": "\u0420\u0430\u0437\u043c\u0435\u0440", "MediaInfoPath": "\u041f\u0443\u0442\u044c", - "MessageConnectAccountRequiredToInviteGuest": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0430\u0442\u044c \u0433\u043e\u0441\u0442\u0435\u0439, \u0441\u043d\u0430\u0447\u0430\u043b\u0430 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0441\u0432\u044f\u0437\u0430\u0442\u044c \u0432\u0430\u0448\u0443 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0441 \u0434\u0430\u043d\u043d\u044b\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c.", "MediaInfoFormat": "\u0424\u043e\u0440\u043c\u0430\u0442", "MediaInfoContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440", "MediaInfoDefault": "\u0423\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u0435", "MediaInfoForced": "\u0424\u043e\u0440\u0441\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0435", - "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", "MediaInfoExternal": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435", - "OptionAutomaticallySyncNewContent": "\u0421\u0438\u043d\u0445\u0440-\u0442\u044c \u043d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435", "MediaInfoTimestamp": "\u041c\u0435\u0442\u043a\u0430 \u0432\u0440\u0435\u043c\u0435\u043d\u0438", - "OptionAutomaticallySyncNewContentHelp": "\u041d\u043e\u0432\u043e\u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0430\u0432\u0442\u043e-\u043a\u0438 \u0441\u0438\u043d\u0445\u0440-\u0442\u0441\u044f \u0441 \u0434\u0430\u043d\u043d\u044b\u043c \u0443\u0441\u0442\u0440-\u043e\u043c.", "MediaInfoPixelFormat": "\u041f\u0438\u043a\u0441. \u0444\u043e\u0440\u043c\u0430\u0442", - "OptionSyncUnwatchedVideosOnly": "\u0421\u0438\u043d\u0445\u0440-\u0442\u044c \u043d\u0435\u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "MediaInfoBitDepth": "\u0413\u043b\u0443\u0431\u0438\u043d\u0430 \u0446\u0432\u0435\u0442\u0430", - "OptionSyncUnwatchedVideosOnlyHelp": "\u0421\u0438\u043d\u0445\u0440-\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0435\u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0432\u0438\u0434\u0435\u043e, \u0430 \u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0438\u0437\u044b\u043c\u0430\u044e\u0442\u0441\u044f \u0441 \u0443\u0441\u0442\u0440-\u0432\u0430.", "MediaInfoSampleRate": "\u0427-\u0442\u0430 \u0434\u0438\u0441\u043a\u0440-\u0438\u0438", - "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e...", "MediaInfoBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a-\u0442\u044c", "MediaInfoChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", "MediaInfoLayout": "\u041a\u043e\u043c\u043f\u043e\u043d\u043e\u0432\u043a\u0430", "MediaInfoLanguage": "\u042f\u0437\u044b\u043a", - "ButtonUnlockPrice": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c {0}", "MediaInfoCodec": "\u041a\u043e\u0434\u0435\u043a", "MediaInfoProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c", "MediaInfoLevel": "\u0423\u0440\u043e\u0432\u0435\u043d\u044c", - "HeaderSaySomethingLike": "\u0421\u043a\u0430\u0436\u0438\u0442\u0435 \u0447\u0442\u043e-\u0442\u043e \u0432\u0440\u043e\u0434\u0435...", "MediaInfoAspectRatio": "\u0421\u043e\u043e\u0442-\u0438\u0435 \u0441\u0442\u043e\u0440\u043e\u043d", "MediaInfoResolution": "\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435", "MediaInfoAnamorphic": "\u0410\u043d\u0430\u043c\u043e\u0440\u0444\u043d\u043e\u0441\u0442\u044c", - "ButtonTryAgain": "\u041f\u043e\u043f\u0440\u043e\u0431\u043e\u0432\u0430\u0442\u044c \u0441\u043d\u043e\u0432\u0430", "MediaInfoInterlaced": "\u0427\u0435\u0440\u0435\u0441\u0441\u0442\u0440\u043e\u0447\u043d\u043e\u0441\u0442\u044c", "MediaInfoFramerate": "\u0427-\u0442\u0430 \u043a\u0430\u0434\u0440\u043e\u0432", "MediaInfoStreamTypeAudio": "\u0410\u0443\u0434\u0438\u043e", - "HeaderYouSaid": "\u0412\u044b \u0441\u043a\u0430\u0437\u0430\u043b\u0438...", "MediaInfoStreamTypeData": "\u0414\u0430\u043d\u043d\u044b\u0435", "MediaInfoStreamTypeVideo": "\u0412\u0438\u0434\u0435\u043e", "MediaInfoStreamTypeSubtitle": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "MessageWeDidntRecognizeCommand": "\u0414\u0430\u043d\u043d\u0430\u044f \u043a\u043e\u043c\u0430\u043d\u0434\u0430 \u043d\u0435 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0430.", "MediaInfoStreamTypeEmbeddedImage": "\u0412\u043d\u0435\u0434\u0440\u0451\u043d\u043d\u044b\u0439 \u0440\u0438\u0441\u0443\u043d\u043e\u043a", "MediaInfoRefFrames": "\u041e\u043f\u043e\u0440\u043d\u044b\u0435 \u043a\u0430\u0434\u0440\u044b", - "MessageIfYouBlockedVoice": "\u0415\u0441\u043b\u0438 \u043e\u0442\u043a\u0430\u0437\u0430\u043d\u043e \u0432 \u0433\u043e\u043b\u043e\u0441\u043e\u0432\u043e\u043c \u0434\u043e\u0441\u0442\u0443\u043f\u0435 \u043a \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044e, \u043f\u0435\u0440\u0435\u0434 \u043d\u043e\u0432\u043e\u0439 \u043f\u043e\u043f\u044b\u0442\u043a\u043e\u0439 \u0432\u0430\u043c \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u0430 \u043f\u0435\u0440\u0435\u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430.", - "MessageNoItemsFound": "\u041d\u0438\u043a\u0430\u043a\u0438\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e.", + "TabPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435", + "TabNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", + "TabExpert": "\u0414\u043b\u044f \u043e\u043f\u044b\u0442\u043d\u044b\u0445", + "HeaderSelectCustomIntrosPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043a \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u043c \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0430\u043c", + "HeaderRateAndReview": "\u041e\u0446\u0435\u043d\u043a\u0430 \u0438 \u043e\u0442\u0437\u044b\u0432", + "HeaderThankYou": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441", + "MessageThankYouForYourReview": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u0432\u0430\u0448 \u043e\u0442\u0437\u044b\u0432.", + "LabelYourRating": "\u0412\u0430\u0448\u0430 \u043e\u0446\u0435\u043d\u043a\u0430:", + "LabelFullReview": "\u041e\u0442\u0437\u044b\u0432 \u043f\u043e\u043b\u043d\u043e\u0441\u0442\u044c\u044e:", + "LabelShortRatingDescription": "\u041a\u0440\u0430\u0442\u043a\u0430\u044f \u0441\u0432\u043e\u0434\u043a\u0430 \u043e\u0446\u0435\u043d\u043a\u0438:", + "OptionIRecommendThisItem": "\u042f \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u044e \u044d\u0442\u043e\u0442 \u044d\u043b\u0435\u043c\u0435\u043d\u0442", + "WebClientTourContent": "\u0421\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \u043e\u0447\u0435\u0440\u0435\u0434\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0438 \u0442.\u0434. \u0417\u0435\u043b\u0451\u043d\u044b\u0435 \u043a\u0440\u0443\u0436\u043e\u0447\u043a\u0438 \u0443\u043a\u0430\u0437\u044b\u0432\u0430\u044e\u0442, \u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0443 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432.", + "WebClientTourMovies": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0438\u0442\u0435 \u0444\u0438\u043b\u044c\u043c\u044b, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0438 \u0442.\u0434., \u0441 \u043b\u044e\u0431\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441 \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u043e\u043c.", + "WebClientTourMouseOver": "\u0417\u0430\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043a\u0443\u0440\u0441\u043e\u0440 \u043c\u044b\u0448\u0438 \u043d\u0430\u0434 \u043b\u044e\u0431\u044b\u043c \u043f\u043e\u0441\u0442\u0435\u0440\u043e\u043c \u0434\u043b\u044f \u0431\u044b\u0441\u0442\u0440\u043e\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043a \u0432\u0430\u0436\u043d\u043e\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438", + "WebClientTourTapHold": "\u041a\u043e\u0441\u043d\u0438\u0442\u0435\u0441\u044c \u0438 \u0443\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0439\u0442\u0435 \u0438\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u0440\u0430\u0432\u043e\u0439 \u043a\u043d\u043e\u043f\u043a\u043e\u0439 \u043c\u044b\u0448\u0438 \u043b\u044e\u0431\u043e\u0439 \u043f\u043e\u0441\u0442\u0435\u0440 \u0434\u043b\u044f \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u043d\u043e\u0433\u043e \u043c\u0435\u043d\u044e", + "WebClientTourMetadataManager": "\u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \u041f\u0440\u0430\u0432\u0438\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "WebClientTourPlaylists": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0441\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0438 \u0430\u0432\u0442\u043e\u043c\u0438\u043a\u0441\u044b, \u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435 \u0438\u0445 \u043d\u0430 \u043b\u044e\u0431\u043e\u043c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435", + "WebClientTourCollections": "\u0421\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0444\u0438\u043b\u044c\u043c\u043e\u0432\u044b\u0435 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438, \u0447\u0442\u043e\u0431\u044b \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043a\u043e\u043c\u043f\u043b\u0435\u043a\u0442\u044b \u0432\u043c\u0435\u0441\u0442\u0435", + "WebClientTourUserPreferences1": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u044e\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0441\u043f\u043e\u0441\u043e\u0431, \u0441 \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0430 \u0432\u043e \u0432\u0441\u0435\u0445 \u0432\u0430\u0448\u0438\u0445 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0445.", + "WebClientTourUserPreferences2": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0430\u0443\u0434\u0438\u043e \u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0441\u0432\u043e\u0435\u0433\u043e \u044f\u0437\u044b\u043a\u0430, \u0435\u0434\u0438\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", + "WebClientTourUserPreferences3": "\u041e\u0444\u043e\u0440\u044c\u043c\u0442\u0435 \u0433\u043b\u0430\u0432\u043d\u0443\u044e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0430 \u043f\u043e \u0441\u0432\u043e\u0438\u043c \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0435\u043d\u0438\u044f\u043c", + "WebClientTourUserPreferences4": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u0437\u0430\u0434\u043d\u0438\u043a\u0438, \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438 \u0438 \u0432\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438", + "WebClientTourMobile1": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043e\u0442\u043b\u0438\u0447\u043d\u043e \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0430\u0445 \u0438 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0430\u0445...", + "WebClientTourMobile2": "\u0438 \u043b\u0435\u0433\u043a\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0435\u0442 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0438 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438", + "WebClientTourMySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0443\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0441 \u0432\u0430\u0448\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", + "MessageEnjoyYourStay": "\u041f\u0440\u0438\u044f\u0442\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u0431\u044b\u0432\u0430\u043d\u0438\u044f", + "DashboardTourDashboard": "\u0421\u0435\u0440\u0432\u0435\u0440\u043d\u0430\u044f \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0441\u043b\u0435\u0436\u0435\u043d\u0438\u044f \u0437\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0438 \u0432\u0430\u0448\u0438\u043c\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f\u043c\u0438. \u0412\u044b \u0432\u0441\u0435\u0433\u0434\u0430 \u0431\u0443\u0434\u0435\u0442\u0435 \u0437\u043d\u0430\u0442\u044c, \u043a\u0442\u043e \u0447\u0435\u043c \u0437\u0430\u043d\u0438\u043c\u0430\u0435\u0442\u0441\u044f, \u0438 \u043a\u0442\u043e \u0433\u0434\u0435 \u043d\u0430\u0445\u043e\u0434\u0438\u0442\u0441\u044f.", + "DashboardTourHelp": "\u0412\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u0430\u044f \u0441\u043f\u0440\u0430\u0432\u043a\u0430 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u043f\u0440\u043e\u0441\u0442\u044b\u0435 \u043a\u043d\u043e\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0432\u0430\u0442\u044c \u0432\u0438\u043a\u0438-\u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b, \u043e\u0442\u043d\u043e\u0441\u044f\u0449\u0438\u0445\u0441\u044f \u043a \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e \u044d\u043a\u0440\u0430\u043d\u0430.", + "DashboardTourUsers": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u0443\u0447\u0451\u0442\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u0434\u0440\u0443\u0437\u0435\u0439 \u0438 \u0447\u043b\u0435\u043d\u043e\u0432 \u0441\u0435\u043c\u044c\u0438, \u043a\u0430\u0436\u0434\u0443\u044e \u0441 \u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u043c\u0438 \u043f\u0440\u0438\u0432\u0438\u043b\u0435\u0433\u0438\u044f\u043c\u0438, \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u043e\u0441\u0442\u044c\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438, \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435\u043c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c \u0438 \u0442.\u0434.", + "DashboardTourCinemaMode": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u043f\u0440\u0438\u0432\u043d\u043e\u0441\u0438\u0442 \u043e\u0449\u0443\u0449\u0435\u043d\u0438\u0435 \u043a\u0438\u043d\u043e\u0437\u0430\u043b\u0430 \u043f\u0440\u044f\u043c\u0438\u043a\u043e\u043c \u0432\u043e \u0432\u0430\u0448\u0443 \u0433\u043e\u0441\u0442\u0438\u043d\u0443\u044e, \u0432\u043c\u0435\u0441\u0442\u0435 \u0441\u043e \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0438 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0435 \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0438 \u043f\u0435\u0440\u0435\u0434 \u0433\u043b\u0430\u0432\u043d\u044b\u043c \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u043e\u043c.", + "DashboardTourChapters": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0433\u0435\u043d\u0435\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043a \u0432\u0438\u0434\u0435\u043e, \u0434\u043b\u044f \u0431\u043e\u043b\u0435\u0435 \u043f\u0440\u0438\u0432\u043b\u0435\u043a\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", + "DashboardTourSubtitles": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b \u043d\u0430 \u043b\u044e\u0431\u043e\u043c \u044f\u0437\u044b\u043a\u0435 \u0434\u043b\u044f \u0432\u0430\u0448\u0438\u0445 \u0432\u0438\u0434\u0435\u043e.", + "DashboardTourPlugins": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u044b, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u043e\u0432 \u0432\u0438\u0434\u0435\u043e, \u0422\u0412-\u044d\u0444\u0438\u0440\u0430, \u0441\u043a\u0430\u043d\u043d\u0435\u0440\u043e\u0432 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438 \u0442.\u0434.", + "DashboardTourNotifications": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043f\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u043e \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u0441\u043e\u0431\u044b\u0442\u0438\u044f\u0445 \u043d\u0430 \u0432\u0430\u0448\u0435 \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430, \u044d-\u043f\u043e\u0447\u0442\u0443 \u0438 \u0442.\u0434.", + "DashboardTourScheduledTasks": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0439\u0442\u0435 \u0434\u043e\u043b\u0433\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u043c\u0438 \u043e\u043f\u0435\u0440\u0430\u0446\u0438\u044f\u043c\u0438 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041f\u0440\u0438\u043d\u0438\u043c\u0430\u0439\u0442\u0435 \u0440\u0435\u0448\u0435\u043d\u0438\u0435, \u043a\u043e\u0433\u0434\u0430 \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u044b, \u0438 \u043d\u0430\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0447\u0430\u0441\u0442\u043e.", + "DashboardTourMobile": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c Emby Server \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043e\u0442\u043b\u0438\u0447\u043d\u043e \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0430\u0445 \u0438 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0430\u0445. \u0423\u043f\u0440\u0430\u0432\u043b\u044f\u0439\u0442\u0435 \u0441\u0432\u043e\u0438\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0441 \u043b\u0430\u0434\u043e\u043d\u0438 \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f, \u0441 \u043b\u044e\u0431\u043e\u0433\u043e \u043c\u0435\u0441\u0442\u0430.", + "DashboardTourSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0443\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0441 \u0432\u0430\u0448\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", + "MessageRefreshQueued": "\u041f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0432 \u043e\u0447\u0435\u0440\u0435\u0434\u0438", + "TabDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "TabExtras": "\u0412 \u0434\u043e\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u0435", + "DeviceLastUsedByUserName": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435: {0}", + "HeaderDeleteDevice": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e", + "DeleteDeviceConfirmation": "\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\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e? \u041e\u043d\u043e \u043f\u043e\u044f\u0432\u0438\u0442\u0441\u044f \u0441\u043d\u043e\u0432\u0430 \u0432 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0440\u0430\u0437, \u043a\u043e\u0433\u0434\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0432\u043e\u0439\u0434\u0451\u0442 \u0441 \u043d\u0435\u0433\u043e.", + "LabelEnableCameraUploadFor": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f \u0441 \u043a\u0430\u043c\u0435\u0440\u044b \u0434\u043b\u044f:", + "HeaderSelectUploadPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u0435\u043c\u043e\u0433\u043e", + "LabelEnableCameraUploadForHelp": "\u0412\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f \u043f\u0440\u043e\u0438\u0437\u043e\u0439\u0434\u0443\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0432\u043e \u0444\u043e\u043d\u043e\u0432\u043e\u043c \u0440\u0435\u0436\u0438\u043c\u0435, \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0432 Emby.", + "ErrorMessageStartHourGreaterThanEnd": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u0434\u043e\u043b\u0436\u043d\u043e \u0431\u044b\u0442\u044c \u043f\u043e\u0437\u0436\u0435, \u0447\u0435\u043c \u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f.", + "ButtonLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435...", + "ButtonParentalControl": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c...", + "HeaderInvitationSent": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u043e", + "MessageInvitationSentToUser": "\u042d-\u043f\u043e\u0447\u0442\u0430 \u0431\u044b\u043b\u0430 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0430 \u043a {0}, \u0441 \u043f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u043c \u043f\u0440\u0438\u043d\u044f\u0442\u044c \u0432\u0430\u0448\u0435 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043a \u043e\u0431\u0449\u0435\u043c\u0443 \u0434\u043e\u0441\u0442\u0443\u043f\u0443.", + "MessageInvitationSentToNewUser": "\u042d-\u043f\u043e\u0447\u0442\u0430 \u0431\u044b\u043b\u0430 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0430 \u043a {0}, \u0441 \u043f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u043c \u0437\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0432 Emby.", + "HeaderConnectionFailure": "\u0421\u0431\u043e\u0439 \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f", + "MessageUnableToConnectToServer": "\u041c\u044b \u043d\u0435 \u043c\u043e\u0436\u0435\u043c \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 \u0441\u0435\u0440\u0432\u0435\u0440\u0443 \u0432 \u0434\u0430\u043d\u043d\u044b\u0439 \u043c\u043e\u043c\u0435\u043d\u0442. \u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u043e\u043d \u0437\u0430\u043f\u0443\u0449\u0435\u043d \u0438 \u043f\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", - "ButtonManageServer": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c...", "MessagePluginConfigurationRequiresLocalAccess": "\u0414\u043b\u044f \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u0432\u043e\u0439\u0434\u0438\u0442\u0435 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0432 \u0441\u0432\u043e\u0439 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440.", - "ButtonPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", - "ButtonViewArtist": "\u041f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044f", - "ButtonViewAlbum": "\u041f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0430\u043b\u044c\u0431\u043e\u043c", "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.", - "EmbyIntroDownloadMessage": "\u0427\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c Emby Server \u043f\u0435\u0440\u0435\u0439\u0434\u0438\u0442\u0435 \u043d\u0430 {0}.", - "LabelProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c:", + "DefaultErrorMessage": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0435 \u0437\u0430\u043f\u0440\u043e\u0441\u0430. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", + "ButtonAccept": "\u041f\u0440\u0438\u043d\u044f\u0442\u044c", + "ButtonReject": "\u041e\u0442\u043a\u043b\u043e\u043d\u0438\u0442\u044c", + "HeaderForgotPassword": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c?", + "MessageContactAdminToResetPassword": "\u0421\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441\u043e \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c, \u0447\u0442\u043e\u0431\u044b \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0432\u0430\u0448 \u043f\u0430\u0440\u043e\u043b\u044c.", + "MessageForgotPasswordInNetworkRequired": "\u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0432\u0430\u0448\u0435\u0439 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \u0441\u0435\u0442\u0438, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0447\u0430\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u0441\u0431\u0440\u043e\u0441\u0430 \u043f\u0430\u0440\u043e\u043b\u044f.", + "MessageForgotPasswordFileCreated": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b \u0431\u044b\u043b \u0441\u043e\u0437\u0434\u0430\u043d \u043d\u0430 \u0432\u0430\u0448\u0435\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u0442 \u0438\u043d\u0441\u0442\u0440\u0443\u043a\u0446\u0438\u0438 \u043e \u0442\u043e\u043c, \u043a\u0430\u043a \u043f\u043e\u0441\u0442\u0443\u043f\u0438\u0442\u044c:", + "MessageForgotPasswordFileExpiration": "\u0421\u0431\u0440\u043e\u0441 PIN-\u043a\u043e\u0434\u0430 \u0438\u0441\u0442\u0435\u043a\u0430\u0435\u0442 {0}.", + "MessageInvalidForgotPasswordPin": "\u0411\u044b\u043b \u0432\u0432\u0435\u0434\u0451\u043d \u043d\u0435\u0432\u0435\u0440\u043d\u044b\u0439 \u0438\u043b\u0438 \u0438\u0441\u0442\u0451\u043a\u0448\u0438\u0439 PIN-\u043a\u043e\u0434. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443.", + "MessagePasswordResetForUsers": "\u041f\u0430\u0440\u043e\u043b\u0438 \u0431\u044b\u043b\u0438 \u0438\u0437\u044a\u044f\u0442\u044b \u0443 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439:", + "HeaderInviteGuest": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u0433\u043e\u0441\u0442\u044f", + "ButtonLinkMyEmbyAccount": "\u0421\u0432\u044f\u0437\u0430\u0442\u044c \u043c\u043e\u044e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c", + "MessageConnectAccountRequiredToInviteGuest": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0430\u0442\u044c \u0433\u043e\u0441\u0442\u0435\u0439, \u0441\u043d\u0430\u0447\u0430\u043b\u0430 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0441\u0432\u044f\u0437\u0430\u0442\u044c \u0432\u0430\u0448\u0443 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c Emby \u0441 \u0434\u0430\u043d\u043d\u044b\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c.", + "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e...", "SyncMedia": "\u0421\u0438\u043d\u0445\u0440-\u0438\u044f", - "ButtonNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440...", - "LabelBitrateMbps": "\u041f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c, \u041c\u0431\u0438\u0442\/\u0441:", "HeaderCancelSyncJob": "\u041e\u0442\u043c\u0435\u043d\u0430 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438", "CancelSyncJobConfirmation": "\u041e\u0442\u043c\u0435\u043d\u0430 \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044e \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0445 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432 \u0442\u0435\u0447\u0435\u043d\u0438\u0435 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0433\u043e \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0430 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438. \u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c?", + "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", "MessagePleaseSelectDeviceToSyncTo": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e \u0434\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438.", - "ButtonSignInWithConnect": "\u0412\u043e\u0439\u0442\u0438 \u0447\u0435\u0440\u0435\u0437 Connect", "MessageSyncJobCreated": "\u0417\u0430\u0434\u0430\u043d\u0438\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0441\u043e\u0437\u0434\u0430\u043d\u043e.", "LabelSyncTo": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u0441:", - "LabelLimit": "\u041f\u0440\u0435\u0434\u0435\u043b:", "LabelSyncJobName": "\u0418\u043c\u044f \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u0441\u0438\u043d\u0445\u0440-\u0438\u0438:", - "HeaderNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440", - "ValueLinks": "\u0421\u0441\u044b\u043b\u043a\u0438: {0}", "LabelQuality": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e:", - "MyDevice": "\u041c\u043e\u0451 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e", - "DefaultErrorMessage": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0435 \u0437\u0430\u043f\u0440\u043e\u0441\u0430. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", - "ButtonRemote": "\u041f\u0443\u043b\u044c\u0442...", - "ButtonAccept": "\u041f\u0440\u0438\u043d\u044f\u0442\u044c", - "ButtonReject": "\u041e\u0442\u043a\u043b\u043e\u043d\u0438\u0442\u044c", - "DashboardTourDashboard": "\u0421\u0435\u0440\u0432\u0435\u0440\u043d\u0430\u044f \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0441\u043b\u0435\u0436\u0435\u043d\u0438\u044f \u0437\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0438 \u0432\u0430\u0448\u0438\u043c\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f\u043c\u0438. \u0412\u044b \u0432\u0441\u0435\u0433\u0434\u0430 \u0431\u0443\u0434\u0435\u0442\u0435 \u0437\u043d\u0430\u0442\u044c, \u043a\u0442\u043e \u0447\u0435\u043c \u0437\u0430\u043d\u0438\u043c\u0430\u0435\u0442\u0441\u044f, \u0438 \u043a\u0442\u043e \u0433\u0434\u0435 \u043d\u0430\u0445\u043e\u0434\u0438\u0442\u0441\u044f.", - "DashboardTourUsers": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u0443\u0447\u0451\u0442\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u0434\u0440\u0443\u0437\u0435\u0439 \u0438 \u0447\u043b\u0435\u043d\u043e\u0432 \u0441\u0435\u043c\u044c\u0438, \u043a\u0430\u0436\u0434\u0443\u044e \u0441 \u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u043c\u0438 \u043f\u0440\u0438\u0432\u0438\u043b\u0435\u0433\u0438\u044f\u043c\u0438, \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u043e\u0441\u0442\u044c\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438, \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435\u043c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c \u0438 \u0442.\u0434.", - "DashboardTourCinemaMode": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u043f\u0440\u0438\u0432\u043d\u043e\u0441\u0438\u0442 \u043e\u0449\u0443\u0449\u0435\u043d\u0438\u0435 \u043a\u0438\u043d\u043e\u0437\u0430\u043b\u0430 \u043f\u0440\u044f\u043c\u0438\u043a\u043e\u043c \u0432\u043e \u0432\u0430\u0448\u0443 \u0433\u043e\u0441\u0442\u0438\u043d\u0443\u044e, \u0432\u043c\u0435\u0441\u0442\u0435 \u0441\u043e \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0438 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0435 \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0438 \u043f\u0435\u0440\u0435\u0434 \u0433\u043b\u0430\u0432\u043d\u044b\u043c \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u043e\u043c.", - "DashboardTourChapters": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0433\u0435\u043d\u0435\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043a \u0432\u0438\u0434\u0435\u043e, \u0434\u043b\u044f \u0431\u043e\u043b\u0435\u0435 \u043f\u0440\u0438\u0432\u043b\u0435\u043a\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430.", - "DashboardTourSubtitles": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b \u043d\u0430 \u043b\u044e\u0431\u043e\u043c \u044f\u0437\u044b\u043a\u0435 \u0434\u043b\u044f \u0432\u0430\u0448\u0438\u0445 \u0432\u0438\u0434\u0435\u043e.", - "DashboardTourPlugins": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u044b, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u043a\u0430\u043d\u0430\u043b\u043e\u0432 \u0432\u0438\u0434\u0435\u043e, \u0422\u0412-\u044d\u0444\u0438\u0440\u0430, \u0441\u043a\u0430\u043d\u043d\u0435\u0440\u043e\u0432 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438 \u0442.\u0434.", - "DashboardTourNotifications": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043f\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u043e \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u0441\u043e\u0431\u044b\u0442\u0438\u044f\u0445 \u043d\u0430 \u0432\u0430\u0448\u0435 \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430, \u044d-\u043f\u043e\u0447\u0442\u0443 \u0438 \u0442.\u0434.", - "DashboardTourScheduledTasks": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0439\u0442\u0435 \u0434\u043e\u043b\u0433\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u043c\u0438 \u043e\u043f\u0435\u0440\u0430\u0446\u0438\u044f\u043c\u0438 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041f\u0440\u0438\u043d\u0438\u043c\u0430\u0439\u0442\u0435 \u0440\u0435\u0448\u0435\u043d\u0438\u0435, \u043a\u043e\u0433\u0434\u0430 \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u044b, \u0438 \u043d\u0430\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0447\u0430\u0441\u0442\u043e.", - "DashboardTourMobile": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c Emby Server \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043e\u0442\u043b\u0438\u0447\u043d\u043e \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0430\u0445 \u0438 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0430\u0445. \u0423\u043f\u0440\u0430\u0432\u043b\u044f\u0439\u0442\u0435 \u0441\u0432\u043e\u0438\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0441 \u043b\u0430\u0434\u043e\u043d\u0438 \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f, \u0441 \u043b\u044e\u0431\u043e\u0433\u043e \u043c\u0435\u0441\u0442\u0430.", - "HeaderEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", - "HeaderSelectCustomIntrosPath": "\u0412\u044b\u0431\u043e\u0440 \u043f\u0443\u0442\u0438 \u043a \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u043c \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0430\u043c", - "HeaderGroupVersions": "\u0421\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438", + "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", + "OptionAutomaticallySyncNewContent": "\u0421\u0438\u043d\u0445\u0440-\u0442\u044c \u043d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435", + "OptionAutomaticallySyncNewContentHelp": "\u041d\u043e\u0432\u043e\u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0430\u0432\u0442\u043e-\u043a\u0438 \u0441\u0438\u043d\u0445\u0440-\u0442\u0441\u044f \u0441 \u0434\u0430\u043d\u043d\u044b\u043c \u0443\u0441\u0442\u0440-\u043e\u043c.", + "OptionSyncUnwatchedVideosOnly": "\u0421\u0438\u043d\u0445\u0440-\u0442\u044c \u043d\u0435\u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "OptionSyncUnwatchedVideosOnlyHelp": "\u0421\u0438\u043d\u0445\u0440-\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0435\u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0432\u0438\u0434\u0435\u043e, \u0430 \u043f\u0440\u043e\u0441\u043c-\u044b\u0435 \u0438\u0437\u044b\u043c\u0430\u044e\u0442\u0441\u044f \u0441 \u0443\u0441\u0442\u0440-\u0432\u0430.", + "LabelItemLimit": "\u041f\u0440\u0435\u0434\u0435\u043b \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432:", + "LabelItemLimitHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e. \u041f\u0440\u0435\u0434\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u0438\u0441\u043b\u043e \u0441\u0438\u043d\u0445\u0440-\u0435\u043c\u044b\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432.", + "MessageBookPluginRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 Bookshelf", + "MessageGamePluginRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 GameBrowser", + "MessageUnsetContentHelp": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u0442\u0441\u044f \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438. \u0414\u043b\u044f \u043d\u0430\u0438\u043b\u0443\u0447\u0448\u0438\u0445 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u043e\u0432 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0434\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0437\u043d\u0430\u0447\u0430\u0442\u044c \u0442\u0438\u043f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043f\u043e\u0434\u043f\u0430\u043f\u043e\u043a.", "SyncJobItemStatusQueued": "\u0412 \u043e\u0447\u0435\u0440\u0435\u0434\u0438", - "ErrorMessagePasswordNotMatchConfirm": "\u041f\u043e\u043b\u044f \u041f\u0430\u0440\u043e\u043b\u044c \u0438 \u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f \u0434\u043e\u043b\u0436\u043d\u044b \u0441\u043e\u0432\u043f\u0430\u0434\u0430\u0442\u044c.", "SyncJobItemStatusConverting": "\u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u0443\u0435\u0442\u0441\u044f", "SyncJobItemStatusTransferring": "\u041f\u0435\u0440\u0435\u043d\u043e\u0441\u0438\u0442\u0441\u044f", "SyncJobItemStatusSynced": "\u0421\u0438\u043d\u0445\u0440-\u043d\u043e", - "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "ErrorMessageUsernameInUse": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0443\u0436\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f. \u041f\u043e\u0434\u0431\u0435\u0440\u0438\u0442\u0435 \u043d\u043e\u0432\u043e\u0435 \u0438 \u043f\u043e\u043f\u0440\u043e\u0431\u0443\u0439\u0442\u0435 \u0441\u043d\u043e\u0432\u0430.", "SyncJobItemStatusFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", - "TabPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435", "SyncJobItemStatusRemovedFromDevice": "\u0418\u0437\u044a\u044f\u0442\u043e \u0438\u0437 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", "SyncJobItemStatusCancelled": "\u041e\u0442\u043c\u0435\u043d\u0435\u043d\u043e", - "ErrorMessageEmailInUse": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b \u0443\u0436\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f. \u041f\u043e\u0434\u0431\u0435\u0440\u0438\u0442\u0435 \u043d\u043e\u0432\u044b\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b \u0438 \u043f\u043e\u043f\u0440\u043e\u0431\u0443\u0439\u0442\u0435 \u0441\u043d\u043e\u0432\u0430, \u0438\u043b\u0438 \u0432\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0444\u0443\u043d\u043a\u0446\u0438\u0435\u0439 \u041d\u0430\u043f\u043e\u043c\u043d\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c.", + "LabelProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c:", + "LabelBitrateMbps": "\u041f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c, \u041c\u0431\u0438\u0442\/\u0441:", + "EmbyIntroDownloadMessage": "\u0427\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c Emby Server \u043f\u0435\u0440\u0435\u0439\u0434\u0438\u0442\u0435 \u043d\u0430 {0}.", + "ButtonNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440...", + "ButtonSignInWithConnect": "\u0412\u043e\u0439\u0442\u0438 \u0447\u0435\u0440\u0435\u0437 Connect", + "HeaderNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440", + "MyDevice": "\u041c\u043e\u0451 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e", + "ButtonRemote": "\u041f\u0443\u043b\u044c\u0442...", + "TabInfo": "\u0418\u043d\u0444\u043e", + "TabCast": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438", + "TabScenes": "\u0421\u0446\u0435\u043d\u044b", "HeaderUnlockApp": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435", - "MessageThankYouForConnectSignUp": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044e \u0432 Emby Connect. \u0421\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0435 \u042d-\u043f\u043e\u0447\u0442\u044b \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043a\u0446\u0438\u044f\u043c\u0438 \u043a\u0430\u043a \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c \u0432\u0430\u0448\u0443 \u043d\u043e\u0432\u0443\u044e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u043e \u043d\u0430 \u0432\u0430\u0448 \u0430\u0434\u0440\u0435\u0441. \u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c, \u0430 \u043f\u043e\u0442\u043e\u043c \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c \u0441\u044e\u0434\u0430, \u0447\u0442\u043e\u0431\u044b \u0432\u043e\u0439\u0442\u0438.", "MessageUnlockAppWithPurchase": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u0443\u044e\u0442\u0441\u044f \u043f\u043e\u043b\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u043e\u043c \u043d\u0435\u0431\u043e\u043b\u044c\u0448\u043e\u0439 \u043e\u0434\u043d\u043e\u043a\u0440\u0430\u0442\u043d\u043e\u0439 \u043e\u043f\u043b\u0430\u0442\u044b.", "MessageUnlockAppWithPurchaseOrSupporter": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u0443\u044e\u0442\u0441\u044f \u043f\u043e\u043b\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u043e\u043c \u043d\u0435\u0431\u043e\u043b\u044c\u0448\u043e\u0439 \u043e\u0434\u043d\u043e\u043a\u0440\u0430\u0442\u043d\u043e\u0439 \u043e\u043f\u043b\u0430\u0442\u044b \u0438\u043b\u0438 \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0441 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e\u043c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", "MessageUnlockAppWithSupporter": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u0443\u044e\u0442\u0441\u044f \u043f\u043e\u043b\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0441 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e\u043c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", "MessageToValidateSupporter": "\u0415\u0441\u043b\u0438 \u0443 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u043f\u0440\u043e\u0441\u0442\u043e \u0432\u043e\u0439\u0434\u0438\u0442\u0435 \u0432 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044f WiFi-\u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435 \u0432 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \u0441\u0435\u0442\u0438.", "MessagePaymentServicesUnavailable": "\u0421\u043b\u0443\u0436\u0431\u0430 \u043e\u043f\u043b\u0430\u0442\u044b \u0432 \u0442\u0435\u043a\u0443\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0435\u0434\u043e\u0441\u0442\u0443\u043f\u043d\u0430. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.", "ButtonUnlockWithSupporter": "\u0412\u043e\u0439\u0442\u0438 \u0441 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e\u043c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 Emby", - "HeaderForgotPassword": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c?", - "MessageContactAdminToResetPassword": "\u0421\u0432\u044f\u0436\u0438\u0442\u0435\u0441\u044c \u0441\u043e \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u043c \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u043e\u043c, \u0447\u0442\u043e\u0431\u044b \u0441\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0432\u0430\u0448 \u043f\u0430\u0440\u043e\u043b\u044c.", - "MessageForgotPasswordInNetworkRequired": "\u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0432\u0430\u0448\u0435\u0439 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \u0441\u0435\u0442\u0438, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0447\u0430\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u0441\u0431\u0440\u043e\u0441\u0430 \u043f\u0430\u0440\u043e\u043b\u044f.", "MessagePleaseSignInLocalNetwork": "\u041f\u0440\u0435\u0436\u0434\u0435 \u0447\u0435\u043c \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c, \u0443\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0432\u044b \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u044b \u043a \u0432\u0430\u0448\u0435\u0439 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0439 \u0441\u0435\u0442\u0438 \u0447\u0435\u0440\u0435\u0437 Wifi- \u0438\u043b\u0438 LAN-\u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435.", - "MessageForgotPasswordFileCreated": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b \u0431\u044b\u043b \u0441\u043e\u0437\u0434\u0430\u043d \u043d\u0430 \u0432\u0430\u0448\u0435\u043c \u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u0442 \u0438\u043d\u0441\u0442\u0440\u0443\u043a\u0446\u0438\u0438 \u043e \u0442\u043e\u043c, \u043a\u0430\u043a \u043f\u043e\u0441\u0442\u0443\u043f\u0438\u0442\u044c:", - "TabExpert": "\u0414\u043b\u044f \u043e\u043f\u044b\u0442\u043d\u044b\u0445", - "HeaderInvitationSent": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u043e", - "MessageForgotPasswordFileExpiration": "\u0421\u0431\u0440\u043e\u0441 PIN-\u043a\u043e\u0434\u0430 \u0438\u0441\u0442\u0435\u043a\u0430\u0435\u0442 {0}.", - "MessageInvitationSentToUser": "\u042d-\u043f\u043e\u0447\u0442\u0430 \u0431\u044b\u043b\u0430 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0430 \u043a {0}, \u0441 \u043f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u043c \u043f\u0440\u0438\u043d\u044f\u0442\u044c \u0432\u0430\u0448\u0435 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043a \u043e\u0431\u0449\u0435\u043c\u0443 \u0434\u043e\u0441\u0442\u0443\u043f\u0443.", - "MessageInvalidForgotPasswordPin": "\u0411\u044b\u043b \u0432\u0432\u0435\u0434\u0451\u043d \u043d\u0435\u0432\u0435\u0440\u043d\u044b\u0439 \u0438\u043b\u0438 \u0438\u0441\u0442\u0451\u043a\u0448\u0438\u0439 PIN-\u043a\u043e\u0434. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443.", "ButtonUnlockWithPurchase": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u043e\u043c \u043e\u043f\u043b\u0430\u0442\u044b", - "TabExtras": "\u0412 \u0434\u043e\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u0435", - "MessageInvitationSentToNewUser": "\u042d-\u043f\u043e\u0447\u0442\u0430 \u0431\u044b\u043b\u0430 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0430 \u043a {0}, \u0441 \u043f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u043c \u0437\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0432 Emby.", - "MessagePasswordResetForUsers": "\u041f\u0430\u0440\u043e\u043b\u0438 \u0431\u044b\u043b\u0438 \u0438\u0437\u044a\u044f\u0442\u044b \u0443 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439:", + "ButtonUnlockPrice": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c {0}", "MessageLiveTvGuideRequiresUnlock": "\u0413\u0438\u0434 \u044d\u0444\u0438\u0440\u043d\u043e\u0433\u043e \u0422\u0412 \u0432 \u0442\u0435\u043a\u0443\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d \u0434\u043e {0} \u043a\u0430\u043d\u0430\u043b\u043e\u0432. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \u0440\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043f\u043e\u043b\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438.", - "WebClientTourContent": "\u0421\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \u043e\u0447\u0435\u0440\u0435\u0434\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0438 \u0442.\u0434. \u0417\u0435\u043b\u0451\u043d\u044b\u0435 \u043a\u0440\u0443\u0436\u043e\u0447\u043a\u0438 \u0443\u043a\u0430\u0437\u044b\u0432\u0430\u044e\u0442, \u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0443 \u0432\u0430\u0441 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432.", - "HeaderPeople": "\u041b\u044e\u0434\u0438", "OptionEnableFullscreen": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u043b\u043d\u044b\u0439 \u044d\u043a\u0440\u0430\u043d", - "WebClientTourMovies": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0438\u0442\u0435 \u0444\u0438\u043b\u044c\u043c\u044b, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0438 \u0442.\u0434., \u0441 \u043b\u044e\u0431\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441 \u0431\u0440\u0430\u0443\u0437\u0435\u0440\u043e\u043c.", - "WebClientTourMouseOver": "\u0417\u0430\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043a\u0443\u0440\u0441\u043e\u0440 \u043c\u044b\u0448\u0438 \u043d\u0430\u0434 \u043b\u044e\u0431\u044b\u043c \u043f\u043e\u0441\u0442\u0435\u0440\u043e\u043c \u0434\u043b\u044f \u0431\u044b\u0441\u0442\u0440\u043e\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043a \u0432\u0430\u0436\u043d\u043e\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438", - "HeaderRateAndReview": "\u041e\u0446\u0435\u043d\u043a\u0430 \u0438 \u043e\u0442\u0437\u044b\u0432", - "ErrorMessageStartHourGreaterThanEnd": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u0434\u043e\u043b\u0436\u043d\u043e \u0431\u044b\u0442\u044c \u043f\u043e\u0437\u0436\u0435, \u0447\u0435\u043c \u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f.", - "WebClientTourTapHold": "\u041a\u043e\u0441\u043d\u0438\u0442\u0435\u0441\u044c \u0438 \u0443\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0439\u0442\u0435 \u0438\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u0440\u0430\u0432\u043e\u0439 \u043a\u043d\u043e\u043f\u043a\u043e\u0439 \u043c\u044b\u0448\u0438 \u043b\u044e\u0431\u043e\u0439 \u043f\u043e\u0441\u0442\u0435\u0440 \u0434\u043b\u044f \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u043d\u043e\u0433\u043e \u043c\u0435\u043d\u044e", - "HeaderThankYou": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0432\u0430\u0441", - "TabInfo": "\u0418\u043d\u0444\u043e", "ButtonServer": "\u0421\u0435\u0440\u0432\u0435\u0440...", - "WebClientTourMetadataManager": "\u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \u041f\u0440\u0430\u0432\u0438\u0442\u044c, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "MessageThankYouForYourReview": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u0432\u0430\u0448 \u043e\u0442\u0437\u044b\u0432.", - "WebClientTourPlaylists": "\u0411\u0435\u0437 \u0443\u0441\u0438\u043b\u0438\u0439 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0441\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0438 \u0430\u0432\u0442\u043e\u043c\u0438\u043a\u0441\u044b, \u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435 \u0438\u0445 \u043d\u0430 \u043b\u044e\u0431\u043e\u043c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435", - "LabelYourRating": "\u0412\u0430\u0448\u0430 \u043e\u0446\u0435\u043d\u043a\u0430:", - "WebClientTourCollections": "\u0421\u043e\u0437\u0434\u0430\u0432\u0430\u0439\u0442\u0435 \u0444\u0438\u043b\u044c\u043c\u043e\u0432\u044b\u0435 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438, \u0447\u0442\u043e\u0431\u044b \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043a\u043e\u043c\u043f\u043b\u0435\u043a\u0442\u044b \u0432\u043c\u0435\u0441\u0442\u0435", - "LabelFullReview": "\u041e\u0442\u0437\u044b\u0432 \u043f\u043e\u043b\u043d\u043e\u0441\u0442\u044c\u044e:", "HeaderAdmin": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", - "WebClientTourUserPreferences1": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u044e\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0441\u043f\u043e\u0441\u043e\u0431, \u0441 \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0430 \u0432\u043e \u0432\u0441\u0435\u0445 \u0432\u0430\u0448\u0438\u0445 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0445.", - "LabelShortRatingDescription": "\u041a\u0440\u0430\u0442\u043a\u0430\u044f \u0441\u0432\u043e\u0434\u043a\u0430 \u043e\u0446\u0435\u043d\u043a\u0438:", - "WebClientTourUserPreferences2": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0430\u0443\u0434\u0438\u043e \u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0441\u0432\u043e\u0435\u0433\u043e \u044f\u0437\u044b\u043a\u0430, \u0435\u0434\u0438\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", - "OptionIRecommendThisItem": "\u042f \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u044e \u044d\u0442\u043e\u0442 \u044d\u043b\u0435\u043c\u0435\u043d\u0442", - "ButtonLinkMyEmbyAccount": "\u0421\u0432\u044f\u0437\u0430\u0442\u044c \u043c\u043e\u044e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c", - "WebClientTourUserPreferences3": "\u041e\u0444\u043e\u0440\u044c\u043c\u0442\u0435 \u0433\u043b\u0430\u0432\u043d\u0443\u044e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0430 \u043f\u043e \u0441\u0432\u043e\u0438\u043c \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0435\u043d\u0438\u044f\u043c", "HeaderLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430", - "WebClientTourUserPreferences4": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u0437\u0430\u0434\u043d\u0438\u043a\u0438, \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438 \u0438 \u0432\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438", - "WebClientTourMobile1": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043e\u0442\u043b\u0438\u0447\u043d\u043e \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u0430\u0445 \u0438 \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0430\u0445...", - "WebClientTourMobile2": "\u0438 \u043b\u0435\u0433\u043a\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0435\u0442 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0438 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438", "HeaderMedia": "\u041c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "MessageEnjoyYourStay": "\u041f\u0440\u0438\u044f\u0442\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u0431\u044b\u0432\u0430\u043d\u0438\u044f" + "ButtonInbox": "\u0412\u0445\u043e\u0434\u044f\u0449\u0438\u0435...", + "HeaderAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", + "HeaderGroupVersions": "\u0421\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438", + "HeaderSaySomethingLike": "\u0421\u043a\u0430\u0436\u0438\u0442\u0435 \u0447\u0442\u043e-\u0442\u043e \u0432\u0440\u043e\u0434\u0435...", + "ButtonTryAgain": "\u041f\u043e\u043f\u0440\u043e\u0431\u043e\u0432\u0430\u0442\u044c \u0441\u043d\u043e\u0432\u0430", + "HeaderYouSaid": "\u0412\u044b \u0441\u043a\u0430\u0437\u0430\u043b\u0438...", + "MessageWeDidntRecognizeCommand": "\u0414\u0430\u043d\u043d\u0430\u044f \u043a\u043e\u043c\u0430\u043d\u0434\u0430 \u043d\u0435 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0430.", + "MessageIfYouBlockedVoice": "\u0415\u0441\u043b\u0438 \u043e\u0442\u043a\u0430\u0437\u0430\u043d\u043e \u0432 \u0433\u043e\u043b\u043e\u0441\u043e\u0432\u043e\u043c \u0434\u043e\u0441\u0442\u0443\u043f\u0435 \u043a \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044e, \u043f\u0435\u0440\u0435\u0434 \u043d\u043e\u0432\u043e\u0439 \u043f\u043e\u043f\u044b\u0442\u043a\u043e\u0439 \u0432\u0430\u043c \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u0430 \u043f\u0435\u0440\u0435\u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430.", + "MessageNoItemsFound": "\u041d\u0438\u043a\u0430\u043a\u0438\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e.", + "ButtonManageServer": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c...", + "ButtonPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", + "ButtonViewArtist": "\u041f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044f", + "ButtonViewAlbum": "\u041f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0430\u043b\u044c\u0431\u043e\u043c", + "ErrorMessagePasswordNotMatchConfirm": "\u041f\u043e\u043b\u044f \u041f\u0430\u0440\u043e\u043b\u044c \u0438 \u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f \u0434\u043e\u043b\u0436\u043d\u044b \u0441\u043e\u0432\u043f\u0430\u0434\u0430\u0442\u044c.", + "ErrorMessageUsernameInUse": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0443\u0436\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f. \u041f\u043e\u0434\u0431\u0435\u0440\u0438\u0442\u0435 \u043d\u043e\u0432\u043e\u0435 \u0438 \u043f\u043e\u043f\u0440\u043e\u0431\u0443\u0439\u0442\u0435 \u0441\u043d\u043e\u0432\u0430.", + "ErrorMessageEmailInUse": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b \u0443\u0436\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f. \u041f\u043e\u0434\u0431\u0435\u0440\u0438\u0442\u0435 \u043d\u043e\u0432\u044b\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b \u0438 \u043f\u043e\u043f\u0440\u043e\u0431\u0443\u0439\u0442\u0435 \u0441\u043d\u043e\u0432\u0430, \u0438\u043b\u0438 \u0432\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0444\u0443\u043d\u043a\u0446\u0438\u0435\u0439 \u041d\u0430\u043f\u043e\u043c\u043d\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c.", + "MessageThankYouForConnectSignUp": "\u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u0438\u043c \u0437\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044e \u0432 Emby Connect. \u0421\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0435 \u042d-\u043f\u043e\u0447\u0442\u044b \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043a\u0446\u0438\u044f\u043c\u0438 \u043a\u0430\u043a \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c \u0432\u0430\u0448\u0443 \u043d\u043e\u0432\u0443\u044e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u043e \u043d\u0430 \u0432\u0430\u0448 \u0430\u0434\u0440\u0435\u0441. \u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c, \u0430 \u043f\u043e\u0442\u043e\u043c \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c \u0441\u044e\u0434\u0430, \u0447\u0442\u043e\u0431\u044b \u0432\u043e\u0439\u0442\u0438.", + "HeaderShare": "\u041e\u0431\u0449\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f", + "ButtonShareHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043e\u0431\u0449\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0432\u0435\u0431-\u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435 \u0441\u043e \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f\u043c\u0438 \u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0434\u043b\u044f \u0441\u043e\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0445 \u0441\u0435\u0442\u0435\u0439. \u041c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u044b \u043d\u0438\u043a\u043e\u0433\u0434\u0430 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u043d\u0430\u0445\u043e\u0434\u0438\u0442\u044c\u0441\u044f \u0432 \u043e\u0431\u0449\u0435\u043c \u0434\u043e\u0441\u0442\u0443\u043f\u0435.", + "ButtonShare": "\u041f\u043e\u0434\u0435\u043b\u0438\u0442\u044c\u0441\u044f", + "HeaderConfirm": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/sl-SI.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/sl-SI.json index 94aa745317..3b3b2d1855 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/sl-SI.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/sl-SI.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Users", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Serije", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(neuspe\u0161no)", + "ButtonHelp": "Help", + "ButtonSave": "Save", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "Episodes", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Predvajaj napovednik", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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.", - "HeaderUsers": "Users", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", - "OptionReleaseDate": "Datum izdaje", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Cancel", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Celoten zaslon", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "Movies", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "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", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(neuspe\u0161no)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Save", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Serije", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "New", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", - "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", - "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", - "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Movies", + "TabSeries": "Series", + "TabEpisodes": "Episodes", + "TabTrailers": "Trailers", "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountAdded": "Emby Account Added", + "MessageEmbyAccountAdded": "The Emby account has been added to this user.", + "MessagePendingEmbyAccountAdded": "The Emby 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.", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Nastavitve", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Samodejno sinhroniziraj nove vsebine", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "Nova vsebina, dodana v to kategorijo, bo samodejno sinhronizirana v napravo", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Kvaliteta:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Nastavitve", + "OptionAutomaticallySyncNewContent": "Samodejno sinhroniziraj nove vsebine", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 223e4ac31a..a5a6cd4c0c 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Inst\u00e4llningarna sparade.", + "AddUser": "Skapa anv\u00e4ndare", + "Users": "Anv\u00e4ndare", + "Delete": "Ta bort", + "Administrator": "Administrat\u00f6r", + "Password": "L\u00f6senord", + "DeleteImage": "Ta bort bild", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r bilden?", + "FileReadCancelled": "Inl\u00e4sningen av filen har avbrutits.", + "FileNotFound": "Kan inte hitta filen.", + "FileReadError": "Ett fel intr\u00e4ffade vid inl\u00e4sningen av filen.", + "DeleteUser": "Ta bort anv\u00e4ndare", + "DeleteUserConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill radera denna anv\u00e4ndare?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "L\u00f6senordet har \u00e5terst\u00e4llts.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill \u00e5terst\u00e4lla l\u00f6senordet?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "L\u00f6senordet har sparats.", + "PasswordMatchError": "L\u00f6senordet och bekr\u00e4ftelsen m\u00e5ste \u00f6verensst\u00e4mma.", + "OptionRelease": "Officiell version", + "OptionBeta": "Betaversion", + "OptionDev": "Utvecklarversion (instabil)", + "UninstallPluginHeader": "Avinstallera till\u00e4gg", + "UninstallPluginConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill avinstallera {0}?", + "NoPluginConfigurationMessage": "Detta till\u00e4gg har inga inst\u00e4llningar.", + "NoPluginsInstalledMessage": "Du har inte installerat n\u00e5gra till\u00e4gg.", + "BrowsePluginCatalogMessage": "Bes\u00f6k katalogen f\u00f6r att se tillg\u00e4ngliga till\u00e4gg.", + "MessageKeyEmailedTo": "Koden har epostats till {0}.", + "MessageKeysLinked": "Koderna har kopplats.", + "HeaderConfirmation": "Bekr\u00e4ftelse", + "MessageKeyUpdated": "Tack. Din donationskod har uppdaterats.", + "MessageKeyRemoved": "Tack. Din donationskod har raderats.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live-TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donera", + "LabelRecurringDonationCanBeCancelledHelp": "St\u00e5ende donationer kan avbrytas n\u00e4r som helst via ditt PayPal-konto.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "Det gick inte att starta Chromecast. Kontrollera att enheten \u00e4r ansluten till det tr\u00e5dl\u00f6sa n\u00e4tverket.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Anv\u00e4ndare", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "S\u00f6k", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Film", + "LabelMusicVideo": "Musikvideo", + "LabelEpisode": "Avsnitt", + "LabelSeries": "Serie", + "LabelStopping": "Avbryter", + "LabelCancelled": "(avbr\u00f6ts)", + "LabelFailed": "(misslyckades)", + "ButtonHelp": "Hj\u00e4lp", + "ButtonSave": "Spara", + "ButtonDownload": "Ladda ned", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Redo att \u00f6verf\u00f6ras", + "LabelCollection": "Collection", + "HeaderAddToCollection": "L\u00e4gg till samling", + "NewCollectionNameExample": "Exemple: Star Wars-samling", + "OptionSearchForInternetMetadata": "S\u00f6k p\u00e5 internet efter grafik och metadata", + "LabelSelectCollection": "V\u00e4lj samling:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Ta en rundtur", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "Inga synkjobb hittades. Skapa synkjobb med hj\u00e4lp av Synk-knapparna som finns i hela gr\u00e4nssnittet.", + "ButtonPlayTrailer": "Visa trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Enhets\u00e5tkomst", + "HeaderSelectDevices": "V\u00e4lj Enheter", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "L\u00e4s mer", + "SyncJobItemStatusSyncedMarkForRemoval": "M\u00e4rkt f\u00f6r borttagning", + "LabelAbortedByServerShutdown": "(avbr\u00f6ts eftersom servern st\u00e4ngdes av)", + "LabelScheduledTaskLastRan": "Senast k\u00f6rd {0}, tog {1}", + "HeaderDeleteTaskTrigger": "Ta bort aktivitetsutl\u00f6sare", "HeaderTaskTriggers": "Aktivitetsutl\u00f6sare", - "ButtonResetTuner": "\u00c5terst\u00e4ll mottagare", - "ButtonRestart": "Starta om", "MessageDeleteTaskTrigger": "Vill du ta bort denna aktivitetsutl\u00f6sare?", - "HeaderResetTuner": "\u00c5terst\u00e4ll mottagare", - "NewCollectionNameExample": "Exemple: Star Wars-samling", "MessageNoPluginsInstalled": "Inga till\u00e4gg har installerats.", - "MessageConfirmResetTuner": "Vill du verkligen \u00e5terst\u00e4lla den h\u00e4r mottagaren? Alla aktiva uppspelare och inspelningar kommer att avbrytas utan f\u00f6rvarning.", - "OptionSearchForInternetMetadata": "S\u00f6k p\u00e5 internet efter grafik och metadata", - "ButtonUpdateNow": "Uppdatera nu", "LabelVersionInstalled": "{0} installerade", - "ButtonCancelSeries": "Avbryt serieinspelning", "LabelNumberReviews": "{0} recensioner", - "LabelAllChannels": "Alla kanaler", "LabelFree": "Gratis", - "HeaderSeriesRecordings": "Serieinspelningar", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "V\u00e4lj ljudsp\u00e5r", - "LabelAnytime": "N\u00e4r som helst", "HeaderSelectSubtitles": "V\u00e4lj undertexter", - "StatusRecording": "Inspelning p\u00e5g\u00e5r", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(f\u00f6rvalda)", - "StatusWatching": "Visning p\u00e5g\u00e5r", "LabelForcedStream": "(tvingade)", - "StatusRecordingProgram": "Spelar in {0}", "LabelDefaultForcedStream": "(f\u00f6rvalda\/tvingade)", - "StatusWatchingProgram": "Spelar upp {0}", "LabelUnknownLanguage": "Ok\u00e4nt spr\u00e5k", - "ButtonQueue": "K\u00f6", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Tyst", "ButtonUnmute": "Muting av", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Dela upp media", + "ButtonStop": "Stopp", + "ButtonNextTrack": "N\u00e4sta sp\u00e5r", + "ButtonPause": "Paus", + "ButtonPlay": "Spela upp", + "ButtonEdit": "\u00c4ndra", + "ButtonQueue": "K\u00f6", "ButtonPlaylist": "Spellista", - "MessageConfirmSplitMedia": "\u00c4r du s\u00e4ker p\u00e5 att du vill dela upp dessa media i separata objekt?", - "HeaderError": "Fel", + "ButtonPreviousTrack": "F\u00f6reg\u00e5ende sp\u00e5r", "LabelEnabled": "Aktiverad", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Avaktiverad", - "MessageTheFollowingItemsWillBeGrouped": "F\u00f6ljande titlar kommer att grupperas till ett enda objekt:", "ButtonMoreInformation": "Mer information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "Inga ol\u00e4sta meddelanden", "ButtonViewNotifications": "Visa meddelanden", - "HeaderFavoriteAlbums": "Favoritalbum", "ButtonMarkTheseRead": "Markera dessa som l\u00e4sta", - "HeaderLatestChannelMedia": "Senaste nytt i Kanaler", "ButtonClose": "St\u00e4ng", - "ButtonOrganizeFile": "Katalogisera fil", - "ButtonLearnMore": "L\u00e4s mer", - "TabEpisodes": "Avsnitt", "LabelAllPlaysSentToPlayer": "All uppspelning skickas till den valda uppspelaren.", - "ButtonDeleteFile": "Radera fil", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Katalogisera fil", - "HeaderAudioTracks": "Ljudsp\u00e5r", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "Alla inspelningar", "RecommendationBecauseYouLike": "Eftersom du gillar {0}", - "HeaderDeleteFile": "Radera fil", - "ButtonAdd": "L\u00e4gg till", - "HeaderSubtitles": "Undertexter", - "ButtonView": "Visa", "RecommendationBecauseYouWatched": "Eftersom du tittade p\u00e5 {0}", - "StatusSkipped": "Ej behandlad", - "HeaderVideoQuality": "Videokvalitet", "RecommendationDirectedBy": "Regi: {0}", - "StatusFailed": "Misslyckades", - "MessageErrorPlayingVideo": "Ett fel uppstod vid uppspelning av videon.", "RecommendationStarring": "I rollerna: {0}", - "StatusSuccess": "Lyckades", - "MessageEnsureOpenTuner": "V\u00e4nligen kontrollera att det finns en ledig mottagare.", "HeaderConfirmRecordingCancellation": "Bekr\u00e4fta avbrott av inspelning", - "MessageFileWillBeDeleted": "Denna fil kommer att raderas:", - "ButtonDashboard": "Kontrollpanel", "MessageConfirmRecordingCancellation": "\u00c4r du s\u00e4ker p\u00e5 att du vill avbryta denna inspelning?", - "MessageSureYouWishToProceed": "Vill du forts\u00e4tta?", - "ButtonHelp": "Hj\u00e4lp", - "ButtonReports": "Rapporter", - "HeaderUnrated": "Ej klassad", "MessageRecordingCancelled": "Inspelning avbruten.", - "MessageDuplicatesWillBeDeleted": "Dessutom kommer f\u00f6ljande dubbletter att raderas:", - "ButtonMetadataManager": "Metadatahanteraren", - "ValueDiscNumber": "Skiva {0}", - "OptionOff": "Av", + "HeaderConfirmSeriesCancellation": "Bekr\u00e4fta avbokning av serieinspelning", + "MessageConfirmSeriesCancellation": "Vill du verkligen avboka denna serieinspelning?", + "MessageSeriesCancelled": "Serieinspelningen har avbokats.", "HeaderConfirmRecordingDeletion": "Bekr\u00e4fta borttagning av inspelning", - "MessageFollowingFileWillBeMovedFrom": "F\u00f6ljande fil kommer att flyttas fr\u00e5n:", - "HeaderTime": "Tid", - "HeaderUnknownDate": "Ok\u00e4nt datum", - "OptionOn": "P\u00e5", "MessageConfirmRecordingDeletion": "\u00c4r du s\u00e4ker p\u00e5 att du vill radera denna inspelning?", - "MessageDestinationTo": "till:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Ok\u00e4nt \u00e5r", - "OptionRelease": "Officiell version", "MessageRecordingDeleted": "Inspelningen har raderats.", - "HeaderSelectWatchFolder": "V\u00e4lj mapp att bevaka", - "HeaderAlbumArtist": "Albumartist", - "HeaderMyViews": "Mina vyer", - "ValueMinutes": "{0} min", - "OptionBeta": "Betaversion", "ButonCancelRecording": "Avbryt inspelning", - "HeaderSelectWatchFolderHelp": "Bl\u00e4ddra fram till eller ange s\u00f6kv\u00e4gen till den bevakade mappen. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "HeaderArtist": "Artist", - "OptionDev": "Utvecklarversion (instabil)", "MessageRecordingSaved": "Inspelningen har sparats.", - "OrganizePatternResult": "Resultat: {0}", - "HeaderLatestTvRecordings": "Senaste inspelningar", - "UninstallPluginHeader": "Avinstallera till\u00e4gg", - "ButtonMute": "Tyst", - "HeaderRestart": "Starta om", - "UninstallPluginConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill avinstallera {0}?", - "HeaderShutdown": "St\u00e4ng av", - "NoPluginConfigurationMessage": "Detta till\u00e4gg har inga inst\u00e4llningar.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Du har inte installerat n\u00e5gra till\u00e4gg.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "\u00c5terkalla API-nyckel", - "BrowsePluginCatalogMessage": "Bes\u00f6k katalogen f\u00f6r att se tillg\u00e4ngliga till\u00e4gg.", - "NewVersionOfSomethingAvailable": "En ny version av {0} finns tillg\u00e4nglig!", - "VersionXIsAvailableForDownload": "Version {0} finns tillg\u00e4nglig f\u00f6r h\u00e4mtning.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Hem", + "OptionSunday": "S\u00f6ndag", + "OptionMonday": "M\u00e5ndag", + "OptionTuesday": "Tisdag", + "OptionWednesday": "Onsdag", + "OptionThursday": "Torsdag", + "OptionFriday": "Fredag", + "OptionSaturday": "L\u00f6rdag", + "OptionEveryday": "Varje dag", "OptionWeekend": "Weekends", - "ButtonSettings": "Inst\u00e4llningar", "OptionWeekday": "Weekdays", - "OptionEveryday": "Varje dag", - "HeaderMediaFolders": "Mediamappar", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Kapitel", - "HeaderNotifications": "Meddelanden", - "HeaderSelectPlayer": "V\u00e4lj uppspelare:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Visa trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "MessageSupporterMembershipExpiredOn": "Ditt supportermedlemskap upph\u00f6rde att g\u00e4lla {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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "Du har ett aktivt {0} medlemskap. Du kan uppgradera med hj\u00e4lp av valm\u00f6jligheterna nedan.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "HeaderConfirmDeletion": "Bekr\u00e4fta radering", + "MessageConfirmPathSubstitutionDeletion": "Vill du verkligen ta bort detta s\u00f6kv\u00e4gsutbyte?", + "LiveTvUpdateAvailable": "(Uppdatering tillg\u00e4nglig)", + "LabelVersionUpToDate": "Uppdaterad!", + "ButtonResetTuner": "\u00c5terst\u00e4ll mottagare", + "HeaderResetTuner": "\u00c5terst\u00e4ll mottagare", + "MessageConfirmResetTuner": "Vill du verkligen \u00e5terst\u00e4lla den h\u00e4r mottagaren? Alla aktiva uppspelare och inspelningar kommer att avbrytas utan f\u00f6rvarning.", + "ButtonCancelSeries": "Avbryt serieinspelning", + "HeaderSeriesRecordings": "Serieinspelningar", + "LabelAnytime": "N\u00e4r som helst", + "StatusRecording": "Inspelning p\u00e5g\u00e5r", + "StatusWatching": "Visning p\u00e5g\u00e5r", + "StatusRecordingProgram": "Spelar in {0}", + "StatusWatchingProgram": "Spelar upp {0}", + "HeaderSplitMedia": "Dela upp media", + "MessageConfirmSplitMedia": "\u00c4r du s\u00e4ker p\u00e5 att du vill dela upp dessa media i separata objekt?", + "HeaderError": "Fel", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "MessagePleaseSelectOneItem": "Var god v\u00e4lj minst ett objekt.", + "MessagePleaseSelectTwoItems": "Var god v\u00e4lj minst tv\u00e5 objekt.", + "MessageTheFollowingItemsWillBeGrouped": "F\u00f6ljande titlar kommer att grupperas till ett enda objekt:", + "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u00c5teruppta", + "HeaderMyViews": "Mina vyer", + "HeaderLibraryFolders": "Mediamappar", + "HeaderLatestMedia": "Nytillkommet", + "ButtonMoreItems": "Mer...", + "ButtonMore": "Mer", + "HeaderFavoriteMovies": "Favoritfilmer", + "HeaderFavoriteShows": "Favoritserier", + "HeaderFavoriteEpisodes": "Favoritavsnitt", + "HeaderFavoriteGames": "Favoritspel", + "HeaderRatingsDownloads": "Omd\u00f6me \/ nerladdningar", + "HeaderConfirmProfileDeletion": "Bekr\u00e4fta radering av profil", + "MessageConfirmProfileDeletion": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r profilen?", + "HeaderSelectServerCachePath": "V\u00e4lj plats f\u00f6r serverns cache", + "HeaderSelectTranscodingPath": "V\u00e4lj plats f\u00f6r mellanlagring vid omkodning", + "HeaderSelectImagesByNamePath": "V\u00e4lj plats f\u00f6r ImagesByName", + "HeaderSelectMetadataPath": "V\u00e4lj plats f\u00f6r metadatalagring", + "HeaderSelectServerCachePathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r serverns cache. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "HeaderSelectTranscodingPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r omkodarens mellanlagring. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "HeaderSelectImagesByNamePathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r ImagesByName-mappen. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "HeaderSelectMetadataPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r lagring av metadata. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "HeaderSelectChannelDownloadPath": "V\u00e4lj plats f\u00f6r lagring av nedladdat kanalinneh\u00e5ll", + "HeaderSelectChannelDownloadPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r lagring av cache f\u00f6r kanaler. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "OptionNewCollection": "Ny...", + "ButtonAdd": "L\u00e4gg till", + "ButtonRemove": "Ta bort", "LabelChapterDownloaders": "H\u00e4mtare av kapitelinformation:", "LabelChapterDownloadersHelp": "Aktivera och rangordna dina h\u00e4mtare baserat p\u00e5 prioritet. L\u00e4gre prioriterade h\u00e4mtare anv\u00e4nds endast f\u00f6r att fylla i saknad information.", - "HeaderUsers": "Anv\u00e4ndare", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "F\u00f6r b\u00e4sta resultat med Internet Explorer, installera uppspelningstill\u00e4gget WebM.", - "HeaderResume": "\u00c5teruppta", - "HeaderVideoError": "Videofel", + "HeaderFavoriteAlbums": "Favoritalbum", + "HeaderLatestChannelMedia": "Senaste nytt i Kanaler", + "ButtonOrganizeFile": "Katalogisera fil", + "ButtonDeleteFile": "Radera fil", + "HeaderOrganizeFile": "Katalogisera fil", + "HeaderDeleteFile": "Radera fil", + "StatusSkipped": "Ej behandlad", + "StatusFailed": "Misslyckades", + "StatusSuccess": "Lyckades", + "MessageFileWillBeDeleted": "Denna fil kommer att raderas:", + "MessageSureYouWishToProceed": "Vill du forts\u00e4tta?", + "MessageDuplicatesWillBeDeleted": "Dessutom kommer f\u00f6ljande dubbletter att raderas:", + "MessageFollowingFileWillBeMovedFrom": "F\u00f6ljande fil kommer att flyttas fr\u00e5n:", + "MessageDestinationTo": "till:", + "HeaderSelectWatchFolder": "V\u00e4lj mapp att bevaka", + "HeaderSelectWatchFolderHelp": "Bl\u00e4ddra fram till eller ange s\u00f6kv\u00e4gen till den bevakade mappen. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", + "OrganizePatternResult": "Resultat: {0}", + "HeaderRestart": "Starta om", + "HeaderShutdown": "St\u00e4ng av", + "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Uppdatera nu", + "ValueItemCount": "{0} objekt", + "ValueItemCountPlural": "{0} objekt", + "NewVersionOfSomethingAvailable": "En ny version av {0} finns tillg\u00e4nglig!", + "VersionXIsAvailableForDownload": "Version {0} finns tillg\u00e4nglig f\u00f6r h\u00e4mtning.", + "LabelVersionNumber": "Version {0}", + "LabelPlayMethodTranscoding": "Omkodning", + "LabelPlayMethodDirectStream": "Direkt str\u00f6mning", + "LabelPlayMethodDirectPlay": "Direktuppspelning", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Ljud: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Fj\u00e4rranslutning: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Senaste fr\u00e5n {0}", + "LabelUnknownLanaguage": "Ok\u00e4nt spr\u00e5k", + "HeaderCurrentSubtitles": "Aktuella undertexter", + "MessageDownloadQueued": "Nedladdningen har lagts i k\u00f6n.", + "MessageAreYouSureDeleteSubtitles": "\u00c4r du s\u00e4ker p\u00e5 att du vill radera den h\u00e4r undertextfilen?", "ButtonRemoteControl": "Fj\u00e4rrkontroll", - "TabSongs": "L\u00e5tar", - "TabAlbums": "Album", - "MessageFeatureIncludedWithSupporter": "Du har registrerat den h\u00e4r funktionen och kan forts\u00e4tta att anv\u00e4nda den om du \u00e4r aktiv supportermedlem.", + "HeaderLatestTvRecordings": "Senaste inspelningar", + "ButtonOk": "OK", + "ButtonCancel": "Avbryt", + "ButtonRefresh": "Uppdatera", + "LabelCurrentPath": "Aktuell s\u00f6kv\u00e4g:", + "HeaderSelectMediaPath": "V\u00e4lj s\u00f6kv\u00e4g till media", + "HeaderSelectPath": "Select Path", + "ButtonNetwork": "N\u00e4tverk", + "MessageDirectoryPickerInstruction": "N\u00e4tverkss\u00f6kv\u00e4gar kan anges manuellt om \"N\u00e4tverk\" inte hittar dina enheter. T ex {0} eller {1}.", + "HeaderMenu": "Meny", + "ButtonOpen": "\u00d6ppna", + "ButtonOpenInNewTab": "\u00d6ppna i ny flik", + "ButtonShuffle": "Blanda", + "ButtonInstantMix": "Omedelbar mix", + "ButtonResume": "\u00c5teruppta", + "HeaderScenes": "Kapitel", + "HeaderAudioTracks": "Ljudsp\u00e5r", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Undertexter", + "HeaderVideoQuality": "Videokvalitet", + "MessageErrorPlayingVideo": "Ett fel uppstod vid uppspelning av videon.", + "MessageEnsureOpenTuner": "V\u00e4nligen kontrollera att det finns en ledig mottagare.", + "ButtonHome": "Hem", + "ButtonDashboard": "Kontrollpanel", + "ButtonReports": "Rapporter", + "ButtonMetadataManager": "Metadatahanteraren", + "HeaderTime": "Tid", + "HeaderName": "Namn", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Albumartist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "{0} tillagd", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Kanaler", + "HeaderMediaFolders": "Mediamappar", + "HeaderBlockItemsWithNoRating": "Block content with no rating information:", + "OptionBlockOthers": "\u00d6vrigt", + "OptionBlockTvShows": "TV-serier", + "OptionBlockTrailers": "Trailers", + "OptionBlockMusic": "Musik", + "OptionBlockMovies": "Filmer", + "OptionBlockBooks": "B\u00f6cker", + "OptionBlockGames": "Spel", + "OptionBlockLiveTvPrograms": "TV-program", + "OptionBlockLiveTvChannels": "TV-kanaler", + "OptionBlockChannelContent": "Kanalinneh\u00e5ll fr\u00e5n Internet", + "ButtonRevoke": "\u00c5terkalla", + "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "\u00c5terkalla API-nyckel", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audiocodec: {0}", "ValueVideoCodec": "Videocodec: {0}", - "TabMusicVideos": "Musikvideor", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Senaste recensioner", - "HeaderDevices": "Devices", "ValueConditions": "Villkor: {0}", - "HeaderPluginInstallation": "Installation av till\u00e4gg", "LabelAll": "Alla", - "MessageAlreadyInstalled": "Den h\u00e4r versionen \u00e4r redan installerad.", "HeaderDeleteImage": "Radera bild", - "ValueReviewCount": "{0} recensioner", "MessageFileNotFound": "Filen hittades ej.", - "MessageYouHaveVersionInstalled": "Version {0} \u00e4r installerad.", "MessageFileReadError": "Ett fel uppstod vid l\u00e4sning av filen.", - "MessageTrialExpired": "Provperioden f\u00f6r den h\u00e4r funktionen \u00e4r avslutad", "ButtonNextPage": "N\u00e4sta sida", - "OptionWatched": "Visad", - "MessageTrialWillExpireIn": "Provperioden f\u00f6r den h\u00e4r funktionen avslutas om {0} dag(ar)", "ButtonPreviousPage": "F\u00f6reg\u00e5ende sida", - "OptionUnwatched": "Ej visad", - "MessageInstallPluginFromApp": "Detta till\u00e4gg m\u00e5ste installeras inifr\u00e5n den app det skall anv\u00e4ndas i.", - "OptionRuntime": "Speltid", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "V\u00e4nster", - "ExternalPlayerPlaystateOptionsHelp": "Ange hur du vill \u00e5teruppta den h\u00e4r videon n\u00e4sta g\u00e5ng.", - "ValuePriceUSD": "Pris: {0} (USD)", - "OptionReleaseDate": "Premi\u00e4rdatum:", + "OptionReleaseDate": "Premi\u00e4rdatum", "ButtonMoveRight": "H\u00f6ger", - "LabelMarkAs": "Markera som:", "ButtonBrowseOnlineImages": "Bl\u00e4ddra bland bilder online", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "P\u00e5g\u00e5r", "HeaderDeleteItem": "Radera objekt", - "ButtonUninstall": "Avinstallera", - "LabelResumePoint": "\u00c5teruppta vid:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 film", - "ValueItemCount": "{0} objekt", "MessagePleaseEnterNameOrId": "Ange ett namn eller externt id.", - "ValueMovieCount": "{0} filmer", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} objekt", "MessageValueNotCorrect": "Det angivna v\u00e4rdet \u00e4r felaktigt. Var god f\u00f6rs\u00f6k igen.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Objektet har sparats.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Avslutad", + "OptionContinuing": "P\u00e5g\u00e5ende", + "OptionOff": "Av", + "OptionOn": "P\u00e5", + "ButtonSettings": "Inst\u00e4llningar", + "ButtonUninstall": "Avinstallera", "HeaderFields": "F\u00e4lt", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 serie", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Dra ett f\u00e4lt till \"av\" f\u00f6r att l\u00e5sa det och f\u00f6rhindra att dess data \u00e4ndras.", - "ValueSeriesCount": "{0} serier", "HeaderLiveTV": "Live-TV", - "ValueOneEpisode": "1 avsnitt", - "LabelRecurringDonationCanBeCancelledHelp": "St\u00e5ende donationer kan avbrytas n\u00e4r som helst via ditt PayPal-konto.", - "ButtonRevoke": "\u00c5terkalla", "MissingLocalTrailer": "Lokalt sparad trailer saknas.", - "ValueEpisodeCount": "{0} avsnitt", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "Mer", "MissingPrimaryImage": "Huvudbild saknas.", - "ValueOneGame": "1 spel", - "HeaderFavoriteMovies": "Favoritfilmer", "MissingBackdropImage": "Fondbild saknas.", - "ValueGameCount": "{0} spel", - "HeaderFavoriteShows": "Favoritserier", "MissingLogoImage": "Logo saknas.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favoritavsnitt", "MissingEpisode": "Avsnitt saknas.", - "ValueAlbumCount": "{0} album", - "HeaderFavoriteGames": "Favoritspel", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Sk\u00e4rmklipp", - "ValueOneSong": "1 l\u00e5t", - "HeaderRatingsDownloads": "Omd\u00f6me \/ nerladdningar", "OptionBackdrops": "Fondbilder", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} l\u00e5tar", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Bekr\u00e4fta radering av profil", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 musikvideo", - "MessageConfirmProfileDeletion": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r profilen?", "OptionImages": "Bilder", - "ValueMusicVideoCount": "{0} musikvideor", - "HeaderSelectServerCachePath": "V\u00e4lj plats f\u00f6r serverns cache", "OptionKeywords": "Nyckelord", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "V\u00e4lj plats f\u00f6r mellanlagring vid omkodning", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Etiketter", - "HeaderUnaired": "Ej s\u00e4nt", - "HeaderSelectImagesByNamePath": "V\u00e4lj plats f\u00f6r ImagesByName", "OptionStudios": "Studior", - "HeaderMissing": "Saknas", - "HeaderSelectMetadataPath": "V\u00e4lj plats f\u00f6r metadatalagring", "OptionName": "Namn", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Hemsida", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r serverns cache. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "\u00d6versikt", - "TooltipFavorite": "Favorit", - "HeaderSelectTranscodingPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r omkodarens mellanlagring. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genrer", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Gilla", - "HeaderSelectImagesByNamePathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r ImagesByName-mappen. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "F\u00f6r\u00e4ldraklassning", "OptionPeople": "Personer", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Ogilla", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r lagring av metadata. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Speltid", "OptionProductionLocations": "Produktionsplatser", - "ButtonDonate": "Donera", - "TooltipPlayed": "Visad", "OptionBirthLocation": "F\u00f6delseort", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0} -nu", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "Alla kanaler", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Utm\u00e4rkelser: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NY", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "M\u00e4rkt f\u00f6r borttagning", "LabelPremiereProgram": "PREMI\u00c4R", - "ValueRevenue": "Int\u00e4kter: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "K\u00f6a alla fr o m h\u00e4r", - "ValuePremiered": "Premi\u00e4rdatum {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Mediamappar", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Spela upp alla fr o m h\u00e4r", - "ValuePremieres": "Premi\u00e4rdatum {0}", "HeaderAlert": "Varning", - "LabelDynamicExternalId": "{0} ID:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "V\u00e4nligen starta om f\u00f6r att slutf\u00f6ra uppdateringarna.", - "HeaderIdentify": "Identifiera objekt", - "ValueStudios": "Studior: {0}", + "ButtonRestart": "Starta om", "MessagePleaseRefreshPage": "V\u00e4nligen ladda om den h\u00e4r sidan f\u00f6r att ta emot nya uppdateringar fr\u00e5n servern.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "D\u00f6lj", - "LabelTitleDisplayOrder": "Visningsordning f\u00f6r titlar", - "ButtonViewSeriesRecording": "Visa serieinspelning", "MessageSettingsSaved": "Inst\u00e4llningarna har sparats.", - "OptionSortName": "Sorteringstitel", - "ValueOriginalAirDate": "Ursprungligt s\u00e4ndningsdatum: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Logga ut", - "ButtonOk": "OK", "ButtonMyProfile": "Min profil", - "ButtonCancel": "Avbryt", "ButtonMyPreferences": "Mina inst\u00e4llningar", - "LabelDiscNumber": "Skiva nr", "MessageBrowserDoesNotSupportWebSockets": "Den h\u00e4r webbl\u00e4saren st\u00f6djer inte web sockets. F\u00f6r att f\u00e5 en b\u00e4ttre upplevelse, prova en nyare webbl\u00e4sare, t ex Chrome, Firefox, IE10+, Safari (iOS) eller Opera.", - "LabelParentNumber": "F\u00f6r\u00e4lder nr", "LabelInstallingPackage": "Installerar {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "Installationen av {0} slutf\u00f6rdes.", - "LabelTrackNumber": "Sp\u00e5r nr", "LabelPackageInstallFailed": "Installationen av {0} misslyckades.", - "LabelNumber": "Nr:", "LabelPackageInstallCancelled": "Installationen av {0} avbr\u00f6ts.", - "LabelReleaseDate": "Premi\u00e4rdatum:", + "TabServer": "Server", "TabUsers": "Anv\u00e4ndare", - "LabelEndDate": "Slutdatum:", "TabLibrary": "Bibliotek", - "LabelYear": "\u00c5r:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "F\u00f6delsedatum:", "TabLiveTV": "Live-TV", - "LabelBirthYear": "F\u00f6delse\u00e5r:", "TabAutoOrganize": "Katalogisera automatiskt", - "LabelDeathDate": "D\u00f6d:", "TabPlugins": "Till\u00e4gg", - "HeaderRemoveMediaLocation": "Ta bort mediaplats", - "HeaderDeviceAccess": "Enhets\u00e5tkomst", + "TabAdvanced": "Avancerat", "TabHelp": "Hj\u00e4lp", - "MessageConfirmRemoveMediaLocation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r platsen?", - "HeaderSelectDevices": "V\u00e4lj Enheter", "TabScheduledTasks": "Schemalagda aktiviteter", - "HeaderRenameMediaFolder": "Byt namn p\u00e5 mediamapp", - "LabelNewName": "Nytt namn:", - "HeaderLatestFromChannel": "Senaste fr\u00e5n {0}", - "HeaderAddMediaFolder": "Skapa mediamapp", - "ButtonQuality": "Kvalitet", - "HeaderAddMediaFolderHelp": "Namn (Filmer, Musik, TV, etc)", "ButtonFullscreen": "Fullsk\u00e4rm", - "HeaderRemoveMediaFolder": "Ta bort mediamapp", - "ButtonScenes": "Scener", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f6ljande platser kommer att tas bort fr\u00e5n biblioteket:", - "ErrorLaunchingChromecast": "Det gick inte att starta Chromecast. Kontrollera att enheten \u00e4r ansluten till det tr\u00e5dl\u00f6sa n\u00e4tverket.", - "ButtonSubtitles": "Undertexter", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r mappen?", - "MessagePleaseSelectOneItem": "Var god v\u00e4lj minst ett objekt.", "ButtonAudioTracks": "Ljudsp\u00e5r", - "ButtonRename": "\u00c4ndra namn", - "MessagePleaseSelectTwoItems": "Var god v\u00e4lj minst tv\u00e5 objekt.", - "ButtonPreviousTrack": "F\u00f6reg\u00e5ende sp\u00e5r", - "ButtonChangeType": "\u00c4ndra typ", - "HeaderSelectChannelDownloadPath": "V\u00e4lj plats f\u00f6r lagring av nedladdat kanalinneh\u00e5ll", - "ButtonNextTrack": "N\u00e4sta sp\u00e5r", - "HeaderMediaLocations": "Lagringsplatser f\u00f6r media", - "HeaderSelectChannelDownloadPathHelp": "Bl\u00e4ddra fram till eller ange plats f\u00f6r lagring av cache f\u00f6r kanaler. Katalogen m\u00e5ste vara tillg\u00e4nglig f\u00f6r skrivning.", - "ButtonStop": "Stopp", - "OptionNewCollection": "Ny...", - "ButtonPause": "Paus", - "TabMovies": "Filmer", - "LabelPathSubstitutionHelp": "Tillval: 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.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmer", - "LabelCollection": "Collection", - "FolderTypeMusic": "Musik", - "FolderTypeAdultVideos": "Inneh\u00e5ll f\u00f6r vuxna", - "HeaderAddToCollection": "L\u00e4gg till samling", - "FolderTypePhotos": "Foton", - "ButtonSubmit": "Bekr\u00e4fta", - "FolderTypeMusicVideos": "Musikvideor", - "SettingsSaved": "Inst\u00e4llningarna sparade.", - "OptionParentalRating": "F\u00f6r\u00e4ldraklassning", - "FolderTypeHomeVideos": "Hemvideor", - "AddUser": "Skapa anv\u00e4ndare", - "HeaderMenu": "Meny", - "FolderTypeGames": "Spel", - "Users": "Anv\u00e4ndare", - "ButtonRefresh": "Uppdatera", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "\u00d6ppna", - "FolderTypeBooks": "B\u00f6cker", - "Delete": "Ta bort", - "LabelCurrentPath": "Aktuell s\u00f6kv\u00e4g:", - "TabAdvanced": "Avancerat", - "ButtonOpenInNewTab": "\u00d6ppna i ny flik", - "FolderTypeTvShows": "TV", - "Administrator": "Administrat\u00f6r", - "HeaderSelectMediaPath": "V\u00e4lj s\u00f6kv\u00e4g till media", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Blanda", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "F\u00f6delseort:{0}", - "Password": "L\u00f6senord", - "ButtonNetwork": "N\u00e4tverk", - "OptionContinuing": "P\u00e5g\u00e5ende", - "ButtonInstantMix": "Omedelbar mix", - "DeathDateValue": "D\u00f6d: {0}", - "MessageDirectoryPickerInstruction": "N\u00e4tverkss\u00f6kv\u00e4gar kan anges manuellt om \"N\u00e4tverk\" inte hittar dina enheter. T ex {0} eller {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Avslutad", - "ButtonResume": "\u00c5teruppta", + "ButtonSubtitles": "Undertexter", + "ButtonScenes": "Scener", + "ButtonQuality": "Kvalitet", + "HeaderNotifications": "Meddelanden", + "HeaderSelectPlayer": "V\u00e4lj uppspelare:", + "ButtonSelect": "V\u00e4lj", + "ButtonNew": "Nytillkommet", + "MessageInternetExplorerWebm": "F\u00f6r b\u00e4sta resultat med Internet Explorer, installera uppspelningstill\u00e4gget WebM.", + "HeaderVideoError": "Videofel", "ButtonAddToPlaylist": "L\u00e4gg till i spellista", - "BirthDateValue": "F\u00f6dd: {0}", - "ButtonMoreItems": "Mer...", - "DeleteImage": "Ta bort bild", "HeaderAddToPlaylist": "L\u00e4gg till i Spellista", - "LabelSelectCollection": "V\u00e4lj samling:", - "MessageNoSyncJobsFound": "Inga synkjobb hittades. Skapa synkjobb med hj\u00e4lp av Synk-knapparna som finns i hela gr\u00e4nssnittet.", - "ButtonRemoveFromPlaylist": "Ta bort fr\u00e5n spellista", - "DeleteImageConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r bilden?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "S\u00f6ndag", + "LabelName": "Namn:", + "ButtonSubmit": "Bekr\u00e4fta", "LabelSelectPlaylist": "Spellista:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "Inl\u00e4sningen av filen har avbrutits.", - "OptionMonday": "M\u00e5ndag", "OptionNewPlaylist": "Ny spellista...", - "FileNotFound": "Kan inte hitta filen.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tisdag", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Ett fel intr\u00e4ffade vid inl\u00e4sningen av filen.", - "HeaderName": "Namn", - "OptionWednesday": "Onsdag", + "ButtonView": "Visa", + "ButtonViewSeriesRecording": "Visa serieinspelning", + "ValueOriginalAirDate": "Ursprungligt s\u00e4ndningsdatum: {0}", + "ButtonRemoveFromPlaylist": "Ta bort fr\u00e5n spellista", + "HeaderSpecials": "Specialer", + "HeaderTrailers": "Trailers", + "HeaderAudio": "Ljud", + "HeaderResolution": "Uppl\u00f6sning", + "HeaderVideo": "Video", + "HeaderRuntime": "Speltid", + "HeaderCommunityRating": "Anv\u00e4ndaromd\u00f6me", + "HeaderPasswordReset": "\u00c5terst\u00e4llning av l\u00f6senordet", + "HeaderParentalRating": "\u00c5ldersgr\u00e4ns", + "HeaderReleaseDate": "Premi\u00e4rdatum:", + "HeaderDateAdded": "Inlagd den", + "HeaderSeries": "Serie", + "HeaderSeason": "S\u00e4song", + "HeaderSeasonNumber": "S\u00e4songsnummer:", + "HeaderNetwork": "TV-bolag", + "HeaderYear": "\u00c5r", + "HeaderGameSystem": "Spelsystem", + "HeaderPlayers": "Spelare", + "HeaderEmbeddedImage": "Infogad bild", + "HeaderTrack": "Sp\u00e5r", + "HeaderDisc": "Skiva", + "OptionMovies": "Filmer", "OptionCollections": "Samlingar", - "DeleteUser": "Ta bort anv\u00e4ndare", - "OptionThursday": "Torsdag", "OptionSeries": "Serier", - "DeleteUserConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill radera denna anv\u00e4ndare?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Fredag", "OptionSeasons": "S\u00e4songer", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "L\u00f6rdag", + "OptionEpisodes": "Avsnitt", "OptionGames": "Spel", - "PasswordResetComplete": "L\u00f6senordet har \u00e5terst\u00e4llts.", - "HeaderSpecials": "Specialer", "OptionGameSystems": "Spelsystem", - "PasswordResetConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill \u00e5terst\u00e4lla l\u00f6senordet?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Musikartister", - "PasswordSaved": "L\u00f6senordet har sparats.", - "HeaderAudio": "Ljud", "OptionMusicAlbums": "Album", - "PasswordMatchError": "L\u00f6senordet och bekr\u00e4ftelsen m\u00e5ste \u00f6verensst\u00e4mma.", - "HeaderResolution": "Uppl\u00f6sning", - "LabelFailed": "(misslyckades)", "OptionMusicVideos": "Musikvideor", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "V\u00e4lj", - "LabelVersionNumber": "Version {0}", "OptionSongs": "L\u00e5tar", - "HeaderRuntime": "Speltid", - "LabelPlayMethodTranscoding": "Omkodning", "OptionHomeVideos": "Hemvideor", - "ButtonSave": "Spara", - "HeaderCommunityRating": "Anv\u00e4ndaromd\u00f6me", - "LabelSeries": "Serie", - "LabelPlayMethodDirectStream": "Direkt str\u00f6mning", "OptionBooks": "B\u00f6cker", - "HeaderParentalRating": "\u00c5ldersgr\u00e4ns", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Kanaler", - "LabelPlayMethodDirectPlay": "Direktuppspelning", "OptionAdultVideos": "Inneh\u00e5ll f\u00f6r vuxna", - "ButtonDownload": "Ladda ned", - "HeaderReleaseDate": "Premi\u00e4rdatum:", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Ljud: {0}", "ButtonUp": "Upp", - "LabelUnknownLanaguage": "Ok\u00e4nt spr\u00e5k", - "HeaderDateAdded": "Inlagd den", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Ner", - "HeaderCurrentSubtitles": "Aktuella undertexter", - "ButtonPlayExternalPlayer": "Spela upp med extern uppspelare", - "HeaderSeries": "Serie", - "TabServer": "Server", - "TabSeries": "Serie", - "LabelRemoteAccessUrl": "Fj\u00e4rranslutning: {0}", "LabelMetadataReaders": "Metadatal\u00e4sare:", - "MessageDownloadQueued": "Nedladdningen har lagts i k\u00f6n.", - "HeaderSelectExternalPlayer": "V\u00e4lj extern uppspelare", - "HeaderSeason": "S\u00e4song", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rangordna dina lokala metadatak\u00e4llor i prioritetsordning. F\u00f6rst hittade fil l\u00e4ses in.", - "MessageAreYouSureDeleteSubtitles": "\u00c4r du s\u00e4ker p\u00e5 att du vill radera den h\u00e4r undertextfilen?", - "HeaderExternalPlayerPlayback": "Uppspelning med extern uppspelare", - "HeaderSeasonNumber": "S\u00e4songsnummer:", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "H\u00e4mtare av metadata:", - "ButtonImDone": "Klart!", - "HeaderNetwork": "TV-bolag", "LabelMetadataDownloadersHelp": "Aktivera och rangordna dina h\u00e4mtare baserat p\u00e5 prioritet. L\u00e4gre prioriterade h\u00e4mtare anv\u00e4nds endast f\u00f6r att fylla i saknad information.", - "HeaderLatestMedia": "Nytillkommet", - "HeaderYear": "\u00c5r", "LabelMetadataSavers": "Metadatasparare:", - "HeaderGameSystem": "Spelsystem", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "V\u00e4lj de filformat du vill anv\u00e4nda f\u00f6r att spara dina metadata.", - "HeaderPlayers": "Spelare", "LabelImageFetchers": "H\u00e4mtare av bilder:", - "HeaderEmbeddedImage": "Infogad bild", - "ButtonNew": "Nytillkommet", "LabelImageFetchersHelp": "Aktivera och rangordna dina h\u00e4mtare baserat p\u00e5 prioritet.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Sp\u00e5r", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Skiva", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Namn:", - "LabelAddedOnDate": "{0} tillagd", - "ButtonRemove": "Ta bort", - "ButtonStart": "Start", - "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "\u00d6vrigt", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV-serier", - "SyncJobItemStatusReadyToTransfer": "Redo att \u00f6verf\u00f6ras", - "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Musik", - "OptionBlockMovies": "Filmer", - "HeaderAllRecordings": "Alla inspelningar", - "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "B\u00f6cker", - "ButtonPlay": "Spela upp", - "OptionBlockGames": "Spel", - "MessageKeyEmailedTo": "Koden har epostats till {0}.", + "ButtonQueueAllFromHere": "K\u00f6a alla fr o m h\u00e4r", + "ButtonPlayAllFromHere": "Spela upp alla fr o m h\u00e4r", + "LabelDynamicExternalId": "{0} ID:", + "HeaderIdentify": "Identifiera objekt", + "PersonTypePerson": "Person", + "LabelTitleDisplayOrder": "Visningsordning f\u00f6r titlar", + "OptionSortName": "Sorteringstitel", + "LabelDiscNumber": "Skiva nr", + "LabelParentNumber": "F\u00f6r\u00e4lder nr", + "LabelTrackNumber": "Sp\u00e5r nr", + "LabelNumber": "Nr:", + "LabelReleaseDate": "Premi\u00e4rdatum:", + "LabelEndDate": "Slutdatum:", + "LabelYear": "\u00c5r:", + "LabelDateOfBirth": "F\u00f6delsedatum:", + "LabelBirthYear": "F\u00f6delse\u00e5r:", + "LabelBirthDate": "Birth date:", + "LabelDeathDate": "D\u00f6d:", + "HeaderRemoveMediaLocation": "Ta bort mediaplats", + "MessageConfirmRemoveMediaLocation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r platsen?", + "HeaderRenameMediaFolder": "Byt namn p\u00e5 mediamapp", + "LabelNewName": "Nytt namn:", + "HeaderAddMediaFolder": "Skapa mediamapp", + "HeaderAddMediaFolderHelp": "Namn (Filmer, Musik, TV, etc)", + "HeaderRemoveMediaFolder": "Ta bort mediamapp", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "F\u00f6ljande platser kommer att tas bort fr\u00e5n biblioteket:", + "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r mappen?", + "ButtonRename": "\u00c4ndra namn", + "ButtonChangeType": "\u00c4ndra typ", + "HeaderMediaLocations": "Lagringsplatser f\u00f6r media", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Tillval: 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.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Filmer", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Inneh\u00e5ll f\u00f6r vuxna", + "FolderTypePhotos": "Foton", + "FolderTypeMusicVideos": "Musikvideor", + "FolderTypeHomeVideos": "Hemvideor", + "FolderTypeGames": "Spel", + "FolderTypeBooks": "B\u00f6cker", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmer", + "TabSeries": "Serie", + "TabEpisodes": "Avsnitt", + "TabTrailers": "Trailers", "TabGames": "Spel", - "ButtonEdit": "\u00c4ndra", - "OptionBlockLiveTvPrograms": "TV-program", - "MessageKeysLinked": "Koderna har kopplats.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "TV-kanaler", - "HeaderConfirmation": "Bekr\u00e4ftelse", + "TabAlbums": "Album", + "TabSongs": "L\u00e5tar", + "TabMusicVideos": "Musikvideor", + "BirthPlaceValue": "F\u00f6delseort:{0}", + "DeathDateValue": "D\u00f6d: {0}", + "BirthDateValue": "F\u00f6dd: {0}", + "HeaderLatestReviews": "Senaste recensioner", + "HeaderPluginInstallation": "Installation av till\u00e4gg", + "MessageAlreadyInstalled": "Den h\u00e4r versionen \u00e4r redan installerad.", + "ValueReviewCount": "{0} recensioner", + "MessageYouHaveVersionInstalled": "Version {0} \u00e4r installerad.", + "MessageTrialExpired": "Provperioden f\u00f6r den h\u00e4r funktionen \u00e4r avslutad", + "MessageTrialWillExpireIn": "Provperioden f\u00f6r den h\u00e4r funktionen avslutas om {0} dag(ar)", + "MessageInstallPluginFromApp": "Detta till\u00e4gg m\u00e5ste installeras inifr\u00e5n den app det skall anv\u00e4ndas i.", + "ValuePriceUSD": "Pris: {0} (USD)", + "MessageFeatureIncludedWithSupporter": "Du har registrerat den h\u00e4r funktionen och kan forts\u00e4tta att anv\u00e4nda den om du \u00e4r aktiv supportermedlem.", + "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", + "MessageSupporterMembershipExpiredOn": "Ditt supportermedlemskap upph\u00f6rde att g\u00e4lla {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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "Du har ett aktivt {0} medlemskap. Du kan uppgradera med hj\u00e4lp av valm\u00f6jligheterna nedan.", "ButtonDelete": "Ta bort", - "OptionBlockChannelContent": "Kanalinneh\u00e5ll fr\u00e5n Internet", - "MessageKeyUpdated": "Tack. Din donationskod har uppdaterats.", - "MessageKeyRemoved": "Tack. Din donationskod har raderats.", - "OptionMovies": "Filmer", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "S\u00f6k", - "OptionEpisodes": "Avsnitt", - "LabelArtist": "Artist", - "LabelMovie": "Film", - "HeaderPasswordReset": "\u00c5terst\u00e4llning av l\u00f6senordet", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Musikvideo", - "LabelEpisode": "Avsnitt", - "LabelAbortedByServerShutdown": "(avbr\u00f6ts eftersom servern st\u00e4ngdes av)", - "HeaderConfirmSeriesCancellation": "Bekr\u00e4fta avbokning av serieinspelning", - "LabelStopping": "Avbryter", - "MessageConfirmSeriesCancellation": "Vill du verkligen avboka denna serieinspelning?", - "LabelCancelled": "(avbr\u00f6ts)", - "MessageSeriesCancelled": "Serieinspelningen har avbokats.", - "HeaderConfirmDeletion": "Bekr\u00e4fta radering", - "MessageConfirmPathSubstitutionDeletion": "Vill du verkligen ta bort detta s\u00f6kv\u00e4gsutbyte?", - "LabelScheduledTaskLastRan": "Senast k\u00f6rd {0}, tog {1}", - "LiveTvUpdateAvailable": "(Uppdatering tillg\u00e4nglig)", - "TitleLiveTV": "Live-TV", - "HeaderDeleteTaskTrigger": "Ta bort aktivitetsutl\u00f6sare", - "LabelVersionUpToDate": "Uppdaterad!", - "ButtonTakeTheTour": "Ta en rundtur", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Nyckelord i handlingen", - "HeaderTags": "Etiketter", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Uppdatering k\u00f6ad", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "DeviceLastUsedByUserName": "Senast anv\u00e4nd av {0}", - "HeaderDeleteDevice": "Ta bort enhet", - "DeleteDeviceConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r enheten? Den kommer att dyka upp igen n\u00e4sta g\u00e5ng en anv\u00e4ndare kopplar upp sig med den.", - "LabelEnableCameraUploadFor": "Aktivera kamerauppladdning f\u00f6r:", - "HeaderSelectUploadPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r uppladdning", - "LabelEnableCameraUploadForHelp": "Uploads will occur automatically in the background when signed into Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Enheter", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Avancerat", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountAdded": "Emby Account Added", + "MessageEmbyAccountAdded": "The Emby account has been added to this user.", + "MessagePendingEmbyAccountAdded": "The Emby 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.", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderUnrated": "Ej klassad", + "ValueDiscNumber": "Skiva {0}", + "HeaderUnknownDate": "Ok\u00e4nt datum", + "HeaderUnknownYear": "Ok\u00e4nt \u00e5r", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "Spela upp med extern uppspelare", + "HeaderSelectExternalPlayer": "V\u00e4lj extern uppspelare", + "HeaderExternalPlayerPlayback": "Uppspelning med extern uppspelare", + "ButtonImDone": "Klart!", + "OptionWatched": "Visad", + "OptionUnwatched": "Ej visad", + "ExternalPlayerPlaystateOptionsHelp": "Ange hur du vill \u00e5teruppta den h\u00e4r videon n\u00e4sta g\u00e5ng.", + "LabelMarkAs": "Markera som:", + "OptionInProgress": "P\u00e5g\u00e5r", + "LabelResumePoint": "\u00c5teruppta vid:", + "ValueOneMovie": "1 film", + "ValueMovieCount": "{0} filmer", + "ValueOneTrailer": "1 trailer", + "ValueTrailerCount": "{0} trailers", + "ValueOneSeries": "1 serie", + "ValueSeriesCount": "{0} serier", + "ValueOneEpisode": "1 avsnitt", + "ValueEpisodeCount": "{0} avsnitt", + "ValueOneGame": "1 spel", + "ValueGameCount": "{0} spel", + "ValueOneAlbum": "1 album", + "ValueAlbumCount": "{0} album", + "ValueOneSong": "1 l\u00e5t", + "ValueSongCount": "{0} l\u00e5tar", + "ValueOneMusicVideo": "1 musikvideo", + "ValueMusicVideoCount": "{0} musikvideor", + "HeaderOffline": "Offline", + "HeaderUnaired": "Ej s\u00e4nt", + "HeaderMissing": "Saknas", + "ButtonWebsite": "Hemsida", + "TooltipFavorite": "Favorit", + "TooltipLike": "Gilla", + "TooltipDislike": "Ogilla", + "TooltipPlayed": "Visad", + "ValueSeriesYearToPresent": "{0} -nu", + "ValueAwards": "Utm\u00e4rkelser: {0}", + "ValueBudget": "Budget: {0}", + "ValueRevenue": "Int\u00e4kter: {0}", + "ValuePremiered": "Premi\u00e4rdatum {0}", + "ValuePremieres": "Premi\u00e4rdatum {0}", + "ValueStudio": "Studio: {0}", + "ValueStudios": "Studior: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Gr\u00e4ns:", + "ValueLinks": "L\u00e4nkar: {0}", + "HeaderPeople": "Personer", "HeaderCastAndCrew": "Medverkande", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artister: {0}", + "HeaderTags": "Etiketter", "MediaInfoCameraMake": "Kamerafabrikat", "MediaInfoCameraModel": "Kameramodell", "MediaInfoAltitude": "H\u00f6jd", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitud", "MediaInfoShutterSpeed": "Slutartid", "MediaInfoSoftware": "Programvara", - "TabNotifications": "Meddelanden", "HeaderIfYouLikeCheckTheseOut": "Om du gillar {0}, ta en titt p\u00e5...", + "HeaderPlotKeywords": "Nyckelord i handlingen", "HeaderMovies": "Filmer", "HeaderAlbums": "Album", "HeaderGames": "Spel", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "B\u00f6cker", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Avsnitt", "HeaderSeasons": "S\u00e4songer", "HeaderTracks": "Sp\u00e5r", "HeaderItems": "Objekt", @@ -653,153 +632,178 @@ "ButtonFullReview": "Fullst\u00e4ndig recension:", "ValueAsRole": "som {0}", "ValueGuestStar": "G\u00e4startist", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Storlek", "MediaInfoPath": "S\u00f6kv\u00e4g", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "F\u00f6rval", "MediaInfoForced": "Tvingade", - "HeaderSettings": "Settings", "MediaInfoExternal": "Externa", - "OptionAutomaticallySyncNewContent": "Synkronisera automatiskt nytt inneh\u00e5ll", "MediaInfoTimestamp": "Tidsst\u00e4mpel", - "OptionAutomaticallySyncNewContentHelp": "Nytt inneh\u00e5ll som l\u00e4ggs till i denna kategori kommer automatiskt synkroniseras till enheten.", "MediaInfoPixelFormat": "Pixelformat", - "OptionSyncUnwatchedVideosOnly": "Synkronisera endast osedda videos", "MediaInfoBitDepth": "F\u00e4rgdjup", - "OptionSyncUnwatchedVideosOnlyHelp": "Endast osedda videos kommer att synkroniseras, och videos kommer att tas bort fr\u00e5n enheten n\u00e4r de har tittats p\u00e5.", "MediaInfoSampleRate": "Samplingsfrekvens", - "ButtonSync": "Synk", "MediaInfoBitrate": "Bithastighet", "MediaInfoChannels": "Kanaler", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Spr\u00e5k", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profil", "MediaInfoLevel": "Niv\u00e5", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Bildf\u00f6rh\u00e5llande:", "MediaInfoResolution": "Uppl\u00f6sning", "MediaInfoAnamorphic": "Anamorfisk", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Sammanfl\u00e4tad", "MediaInfoFramerate": "Bildfrekvens", "MediaInfoStreamTypeAudio": "Ljud", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Undertext", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Infogad bild", "MediaInfoRefFrames": "Referensbildrutor", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Uppspelning", + "TabNotifications": "Meddelanden", + "TabExpert": "Expert", + "HeaderSelectCustomIntrosPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r egna vinjetter", + "HeaderRateAndReview": "Betygs\u00e4tt och rescensera", + "HeaderThankYou": "Tack", + "MessageThankYouForYourReview": "Tack f\u00f6r din rescension", + "LabelYourRating": "Ditt betyg:", + "LabelFullReview": "Fullst\u00e4ndig recension:", + "LabelShortRatingDescription": "Kort summering av betyg:", + "OptionIRecommendThisItem": "Jag rekommenderar detta", + "WebClientTourContent": "Se nytillkommet inneh\u00e5ll, kommande avsnitt m m. De gr\u00f6na ringarna anger hur m\u00e5nga ej visade objekt som finns.", + "WebClientTourMovies": "Se filmer, trailers och mycket mera p\u00e5 vilken enhet som helst som har en webbl\u00e4sare", + "WebClientTourMouseOver": "H\u00e5ll muspekaren \u00f6ver en affisch f\u00f6r att se den viktigaste informationen", + "WebClientTourTapHold": "Tryck-och-h\u00e5ll eller h\u00f6gerklicka p\u00e5 en affisch f\u00f6r att f\u00e5 upp en inneh\u00e5llsmeny", + "WebClientTourMetadataManager": "Klicka p\u00e5 \"\u00e4ndra\" f\u00f6r att \u00f6ppna metadatahanteraren", + "WebClientTourPlaylists": "Skapa enkelt spellistor och snabbmixar och spela upp dem p\u00e5 valfri enhet", + "WebClientTourCollections": "Skapa dina egna samlingsboxar", + "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", + "WebClientTourUserPreferences3": "Utforma webbklientens utseende enligt egna \u00f6nskem\u00e5l", + "WebClientTourUserPreferences4": "Anpassa fondbilder, ledmotiv och externa uppspelare", + "WebClientTourMobile1": "Webbklienten fungerar perfekt p\u00e5 smarta telefoner och surfplattor...", + "WebClientTourMobile2": "and easily controls other devices and Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "MessageEnjoyYourStay": "Ha ett trevligt bes\u00f6k", + "DashboardTourDashboard": "Via serverns kontrollpanel kan du \u00f6vervaka din server och alla anv\u00e4ndare. Du kommer alltid att kunna veta vem som g\u00f6r vad och var de \u00e4r.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "DashboardTourUsers": "Skapa enkelt anv\u00e4ndarkonton f\u00f6r dina v\u00e4nner och familj, alla med sina egna beh\u00f6righeter, biblioteks \u00e5tkomst, f\u00f6r\u00e4ldrakontroll och mycket mer.", + "DashboardTourCinemaMode": "Biol\u00e4get g\u00f6r ditt vardagsrum till en biograf genom m\u00f6jligheten att visa trailers och egna vinjetter innan filmen b\u00f6rjar.", + "DashboardTourChapters": "Ta fram kapitelbildrutor fr\u00e5n videofiler f\u00f6r att f\u00e5 en snyggare presentation.", + "DashboardTourSubtitles": "H\u00e4mta automatiskt undertexter f\u00f6r dina videor p\u00e5 alla spr\u00e5k.", + "DashboardTourPlugins": "Installera till\u00e4gg s\u00e5som Internetvideokanaler, live-TV, metadatah\u00e4mtare och mycket mer.", + "DashboardTourNotifications": "Skicka automatiskt meddelanden om serverh\u00e4ndelser till din mobiltelefon, e-post och mycket mer.", + "DashboardTourScheduledTasks": "Hantera enkelt tidskr\u00e4vande uppgifter med hj\u00e4lp av schemalagda aktiviteter. Best\u00e4m n\u00e4r de skall k\u00f6ras, och hur ofta.", + "DashboardTourMobile": "The Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Uppdatering k\u00f6ad", + "TabDevices": "Enheter", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "Senast anv\u00e4nd av {0}", + "HeaderDeleteDevice": "Ta bort enhet", + "DeleteDeviceConfirmation": "\u00c4r du s\u00e4ker p\u00e5 att du vill ta bort den h\u00e4r enheten? Den kommer att dyka upp igen n\u00e4sta g\u00e5ng en anv\u00e4ndare kopplar upp sig med den.", + "LabelEnableCameraUploadFor": "Aktivera kamerauppladdning f\u00f6r:", + "HeaderSelectUploadPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r uppladdning", + "LabelEnableCameraUploadForHelp": "Uploads will occur automatically in the background when signed into Emby.", + "ErrorMessageStartHourGreaterThanEnd": "Sluttiden m\u00e5ste vara senare \u00e4n starttiden.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Gl\u00f6mt L\u00f6senord", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Synk", "SyncMedia": "Synkronisera Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Synk", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Gr\u00e4ns:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "L\u00e4nkar: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "DashboardTourDashboard": "Via serverns kontrollpanel kan du \u00f6vervaka din server och alla anv\u00e4ndare. Du kommer alltid att kunna veta vem som g\u00f6r vad och var de \u00e4r.", - "DashboardTourUsers": "Skapa enkelt anv\u00e4ndarkonton f\u00f6r dina v\u00e4nner och familj, alla med sina egna beh\u00f6righeter, biblioteks \u00e5tkomst, f\u00f6r\u00e4ldrakontroll och mycket mer.", - "DashboardTourCinemaMode": "Biol\u00e4get g\u00f6r ditt vardagsrum till en biograf genom m\u00f6jligheten att visa trailers och egna vinjetter innan filmen b\u00f6rjar.", - "DashboardTourChapters": "Ta fram kapitelbildrutor fr\u00e5n videofiler f\u00f6r att f\u00e5 en snyggare presentation.", - "DashboardTourSubtitles": "H\u00e4mta automatiskt undertexter f\u00f6r dina videor p\u00e5 alla spr\u00e5k.", - "DashboardTourPlugins": "Installera till\u00e4gg s\u00e5som Internetvideokanaler, live-TV, metadatah\u00e4mtare och mycket mer.", - "DashboardTourNotifications": "Skicka automatiskt meddelanden om serverh\u00e4ndelser till din mobiltelefon, e-post och mycket mer.", - "DashboardTourScheduledTasks": "Hantera enkelt tidskr\u00e4vande uppgifter med hj\u00e4lp av schemalagda aktiviteter. Best\u00e4m n\u00e4r de skall k\u00f6ras, och hur ofta.", - "DashboardTourMobile": "The Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Avsnitt", - "HeaderSelectCustomIntrosPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r egna vinjetter", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Synkronisera automatiskt nytt inneh\u00e5ll", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Synkronisera endast osedda videos", + "OptionSyncUnwatchedVideosOnlyHelp": "Endast osedda videos kommer att synkroniseras, och videos kommer att tas bort fr\u00e5n enheten n\u00e4r de har tittats p\u00e5.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "K\u00f6as", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Konverterar", "SyncJobItemStatusTransferring": "\u00d6verf\u00f6r", "SyncJobItemStatusSynced": "Synkad", - "TabSync": "Synk", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Misslyckades", - "TabPlayback": "Uppspelning", "SyncJobItemStatusRemovedFromDevice": "Borttagen fr\u00e5n enhet", "SyncJobItemStatusCancelled": "Avbruten", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Gl\u00f6mt L\u00f6senord", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "Se nytillkommet inneh\u00e5ll, kommande avsnitt m m. De gr\u00f6na ringarna anger hur m\u00e5nga ej visade objekt som finns.", - "HeaderPeople": "Personer", "OptionEnableFullscreen": "Enable Fullscreen", - "WebClientTourMovies": "Se filmer, trailers och mycket mera p\u00e5 vilken enhet som helst som har en webbl\u00e4sare", - "WebClientTourMouseOver": "H\u00e5ll muspekaren \u00f6ver en affisch f\u00f6r att se den viktigaste informationen", - "HeaderRateAndReview": "Betygs\u00e4tt och rescensera", - "ErrorMessageStartHourGreaterThanEnd": "Sluttiden m\u00e5ste vara senare \u00e4n starttiden.", - "WebClientTourTapHold": "Tryck-och-h\u00e5ll eller h\u00f6gerklicka p\u00e5 en affisch f\u00f6r att f\u00e5 upp en inneh\u00e5llsmeny", - "HeaderThankYou": "Tack", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Klicka p\u00e5 \"\u00e4ndra\" f\u00f6r att \u00f6ppna metadatahanteraren", - "MessageThankYouForYourReview": "Tack f\u00f6r din rescension", - "WebClientTourPlaylists": "Skapa enkelt spellistor och snabbmixar och spela upp dem p\u00e5 valfri enhet", - "LabelYourRating": "Ditt betyg:", - "WebClientTourCollections": "Skapa dina egna samlingsboxar", - "LabelFullReview": "Fullst\u00e4ndig recension:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Kort summering av betyg:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "Jag rekommenderar detta", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Utforma webbklientens utseende enligt egna \u00f6nskem\u00e5l", "HeaderLibrary": "Library", - "WebClientTourUserPreferences4": "Anpassa fondbilder, ledmotiv och externa uppspelare", - "WebClientTourMobile1": "Webbklienten fungerar perfekt p\u00e5 smarta telefoner och surfplattor...", - "WebClientTourMobile2": "and easily controls other devices and Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Ha ett trevligt bes\u00f6k" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Avancerat", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 0d1d8e7afe..59fb12008a 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Ayarlar Kaydedildi", + "AddUser": "Kullan\u0131c\u0131 Ekle", + "Users": "Kullan\u0131c\u0131lar", + "Delete": "Sil", + "Administrator": "Y\u00f6netici", + "Password": "Sifre", + "DeleteImage": "Resmi Sil", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Bu G\u00f6r\u00fcnt\u00fcy\u00fc Silmek \u0130stedi\u011finizden Eminmisiniz?", + "FileReadCancelled": "Dosya Okuma \u0130ptal Edildi", + "FileNotFound": "Dosya Bulunamad\u0131", + "FileReadError": "Dosya Okunurken Bir Hata Olu\u015ftu", + "DeleteUser": "Kullan\u0131c\u0131 Sil", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "Parolan\u0131z S\u0131f\u0131rlanm\u0131st\u0131r.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Sifrenizi S\u0131f\u0131rlamak \u0130stediginizden Eminmisiniz?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Sifre Kaydedildi", + "PasswordMatchError": "Parola ve Sifre Eslesmelidir.", + "OptionRelease": "Resmi Yay\u0131n", + "OptionBeta": "Deneme", + "OptionDev": "Gelistirici", + "UninstallPluginHeader": "Eklenti Kald\u0131r", + "UninstallPluginConfirmation": "Kald\u0131rmak \u0130stediginizden Eminmisiniz {0} ?", + "NoPluginConfigurationMessage": "Eklenti \u0130cin Ayar Yok", + "NoPluginsInstalledMessage": "Eklentiler Y\u00fckl\u00fc De\u011fil", + "BrowsePluginCatalogMessage": "Mevcut Eklentileri G\u00f6rebilmek \u0130\u00e7in Eklenti Katologuna G\u00f6z At\u0131n.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Canl\u0131 TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "Kullan\u0131c\u0131lar", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "Kay\u0131t", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Sessiz", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Durdur", + "ButtonNextTrack": "Sonraki Par\u00e7a", + "ButtonPause": "Duraklat", + "ButtonPlay": "\u00c7al", + "ButtonEdit": "D\u00fczenle", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "\u00d6nceki Par\u00e7a", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favori Albumler", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "B\u00f6l\u00fcmler", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "T\u00fcm Kay\u0131tlar", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Ekle", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Resmi Yay\u0131n", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Deneme", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Gelistirici", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Eklenti Kald\u0131r", - "ButtonMute": "Sessiz", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Kald\u0131rmak \u0130stediginizden Eminmisiniz {0} ?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Eklenti \u0130cin Ayar Yok", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "Eklentiler Y\u00fckl\u00fc De\u011fil", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Mevcut Eklentileri G\u00f6rebilmek \u0130\u00e7in Eklenti Katologuna G\u00f6z At\u0131n.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Anasayfa", + "OptionSunday": "Pazar", + "OptionMonday": "Pazartesi", + "OptionTuesday": "Sal\u0131", + "OptionWednesday": "\u00c7ar\u015famba", + "OptionThursday": "Per\u015fembe", + "OptionFriday": "Cuma", + "OptionSaturday": "Cumartesi", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Ayarlar", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Klas\u00f6rleri", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Diziler", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "Devam", + "HeaderMyViews": "My Views", + "HeaderLibraryFolders": "Media Klas\u00f6rleri", + "HeaderLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler", + "ButtonMoreItems": "More...", + "ButtonMore": "More", + "HeaderFavoriteMovies": "Favori Filmler", + "HeaderFavoriteShows": "Favori Showlar", + "HeaderFavoriteEpisodes": "Favori B\u00f6l\u00fcmler", + "HeaderFavoriteGames": "Favori Oyunlar", + "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": "Ekle", + "ButtonRemove": "Sil", "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.", - "HeaderUsers": "Kullan\u0131c\u0131lar", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Devam", - "HeaderVideoError": "Video Error", + "HeaderFavoriteAlbums": "Favori Albumler", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u015eark\u0131lar", - "TabAlbums": "Alb\u00fcm", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Tamam", + "ButtonCancel": "\u0130ptal", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "Diziler", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "Subtitles", + "HeaderVideoQuality": "Video Quality", + "MessageErrorPlayingVideo": "There was an error playing the video.", + "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", + "ButtonHome": "Anasayfa", + "ButtonDashboard": "Dashboard", + "ButtonReports": "Reports", + "ButtonMetadataManager": "Metadata Manager", + "HeaderTime": "Time", + "HeaderName": "Name", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Kanallar", + "HeaderMediaFolders": "Media Klas\u00f6rleri", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Klipler", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "\u00c7al\u0131\u015fma s\u00fcresi", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Bitmi\u015f", + "OptionContinuing": "Topluluk", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Ayarlar", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favori Filmler", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favori Showlar", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favori B\u00f6l\u00fcmler", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favori Oyunlar", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Etiketler", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u00c7al\u0131\u015fma s\u00fcresi", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Klas\u00f6rleri", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Tamam", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u0130ptal", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Sunucu", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Geli\u015fmi\u015f", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Sahneler", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Altyaz\u0131lar", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "\u00d6nceki Par\u00e7a", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Sonraki Par\u00e7a", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Durdur", - "OptionNewCollection": "New...", - "ButtonPause": "Duraklat", - "TabMovies": "Filmler", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Fragmanlar", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Ayarlar Kaydedildi", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Kullan\u0131c\u0131 Ekle", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Kullan\u0131c\u0131lar", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "Sil", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Geli\u015fmi\u015f", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Y\u00f6netici", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "Sifre", - "ButtonNetwork": "Network", - "OptionContinuing": "Topluluk", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Bitmi\u015f", - "ButtonResume": "Resume", + "ButtonSubtitles": "Altyaz\u0131lar", + "ButtonScenes": "Sahneler", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Se\u00e7im", + "ButtonNew": "Yeni", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Resmi Sil", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Bu G\u00f6r\u00fcnt\u00fcy\u00fc Silmek \u0130stedi\u011finizden Eminmisiniz?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Pazar", + "LabelName": "\u0130sim", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "Dosya Okuma \u0130ptal Edildi", - "OptionMonday": "Pazartesi", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Dosya Bulunamad\u0131", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Sal\u0131", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "Dosya Okunurken Bir Hata Olu\u015ftu", - "HeaderName": "Name", - "OptionWednesday": "\u00c7ar\u015famba", + "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", + "HeaderPasswordReset": "Password Reset", + "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": "Filmler", "OptionCollections": "Collections", - "DeleteUser": "Kullan\u0131c\u0131 Sil", - "OptionThursday": "Per\u015fembe", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Cuma", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Cumartesi", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "Parolan\u0131z S\u0131f\u0131rlanm\u0131st\u0131r.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Sifrenizi S\u0131f\u0131rlamak \u0130stediginizden Eminmisiniz?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Sifre Kaydedildi", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Parola ve Sifre Eslesmelidir.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "Se\u00e7im", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "Kay\u0131t", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Kanallar", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "Sunucu", - "TabSeries": "Seriler", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "Yeni", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u0130sim", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Sil", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "Filmler", + "TabSeries": "Seriler", + "TabEpisodes": "B\u00f6l\u00fcmler", + "TabTrailers": "Fragmanlar", + "TabGames": "Oyunlar", + "TabAlbums": "Alb\u00fcm", + "TabSongs": "\u015eark\u0131lar", + "TabMusicVideos": "Klipler", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Sil", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "T\u00fcm Kay\u0131tlar", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "\u00c7al", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Oyunlar", - "ButtonEdit": "D\u00fczenle", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Sil", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Filmler", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Canl\u0131 TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Bilgi", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Bilgi", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/uk.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/uk.json index efb399b175..2b5c4b11be 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/uk.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/uk.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "Settings saved.", + "AddUser": "Add User", + "Users": "Users", + "Delete": "Delete", + "Administrator": "Administrator", + "Password": "Password", + "DeleteImage": "Delete Image", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "Are you sure you wish to delete this image?", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "File not found.", + "FileReadError": "An error occurred while reading the file.", + "DeleteUser": "Delete User", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "The password has been reset.", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "Are you sure you wish to reset the password?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "Password saved.", + "PasswordMatchError": "Password and password confirmation must match.", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "Uninstall Plugin", + "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", + "NoPluginConfigurationMessage": "This plugin has nothing to configure.", + "NoPluginsInstalledMessage": "You have no plugins installed.", + "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "\u0421\u0435\u0440\u0456\u0457", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "\u0417\u0431\u0435\u0440\u0456\u0433\u0442\u0438", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "\u0414\u043e\u0434\u0430\u0442\u0438 \u0434\u043e \u043a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "\u041d\u0430\u0441\u0442\u0443\u043f\u043d\u0438\u0439 \u0437\u0430\u043f\u0438\u0441", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439 \u0437\u0430\u043f\u0438\u0441", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "\u041d\u0435\u043c\u0430\u0454 \u043d\u0435\u043f\u0440\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u0445 \u043f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u044c.", "ButtonViewNotifications": "\u041f\u0435\u0440\u0435\u0433\u043b\u044f\u043d\u0443\u0442\u0438 \u043f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Add", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "\u0414\u0438\u0441\u043a {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "\u041d\u0435\u0432\u0456\u0434\u043e\u043c\u0430 \u0434\u0430\u0442\u0430", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "\u041d\u0435\u0432\u0456\u0434\u043e\u043c\u0438\u0439 \u0440\u0456\u043a", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} \u0445\u0432\u0438\u043b\u0438\u043d", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "Uninstall Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "Are you sure you wish to uninstall {0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "This plugin has nothing to configure.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "You have no plugins installed.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Browse our plugin catalog to view available plugins.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Sunday", + "OptionMonday": "Monday", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Saturday", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "\u0414\u0430\u0442\u0430 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "\u0412\u0456\u0434\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", + "ButtonMoreItems": "More...", + "ButtonMore": "More", + "HeaderFavoriteMovies": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0456 \u0444\u0456\u043b\u044c\u043c\u0438", + "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.", - "HeaderUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "Songs", - "TabAlbums": "Albums", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content with no rating information:", + "OptionBlockOthers": "Others", + "OptionBlockTvShows": "TV Shows", + "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", + "OptionBlockMusic": "Music", + "OptionBlockMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Runtime", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "\u0426\u0456\u043d\u0430: {0} (USD)", - "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u0438\u043f\u0443\u0441\u043a\u0443", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "\u041f\u043e\u0437\u043d\u0430\u0447\u0438\u0442\u0438 \u044f\u043a:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 \u0444\u0456\u043b\u044c\u043c", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} \u0444\u0456\u043b\u044c\u043c\u0456\u0432", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0456\u0432", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 \u0441\u0435\u0440\u0456\u044f", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} \u0441\u0435\u0440\u0456\u0439", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 \u0435\u043f\u0456\u0437\u043e\u0434", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} \u0435\u043f\u0456\u0437\u043e\u0434\u0456\u0432", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 \u0433\u0440\u0430", - "HeaderFavoriteMovies": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0456 \u0444\u0456\u043b\u044c\u043c\u0438", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} \u0456\u0433\u0440", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c\u0456\u0432", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 \u043f\u0456\u0441\u043d\u044f", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} \u043f\u0456\u0441\u0435\u043d\u044c", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u0438\u0447\u043d\u0438\u0439 \u043a\u043b\u0456\u043f", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u0438\u0447\u043d\u0438\u0445 \u043a\u043b\u0456\u043f\u0456\u0432", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "\u041f\u043e\u0437\u0430 \u043c\u0435\u0440\u0435\u0436\u0435\u044e", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "\u0421\u0442\u0443\u0434\u0456\u0457", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0435", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "\u041f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "\u041d\u0435 \u043f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Runtime", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "\u041d\u0430\u0433\u043e\u0440\u043e\u0434\u0438: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "\u041a\u0430\u0441\u043e\u0432\u0456 \u0437\u0431\u043e\u0440\u0438: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "\u0421\u0442\u0443\u0434\u0456\u044f: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "\u0421\u0442\u0443\u0434\u0456\u0457: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "Server", "TabUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", - "LabelEndDate": "End date:", "TabLibrary": "\u0411\u0456\u0431\u043b\u0456\u043e\u0442\u0435\u043a\u0430", - "LabelYear": "Year:", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u0456", "TabDLNA": "DLNA", - "LabelDateOfBirth": "\u0414\u0430\u0442\u0430 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", "TabLiveTV": "Live TV", - "LabelBirthYear": "\u0420\u0456\u043a \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "\u0414\u0430\u0442\u0430 \u0441\u043c\u0435\u0440\u0442\u0456:", "TabPlugins": "\u0414\u043e\u0434\u0430\u0442\u043a\u0438", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "\u0414\u043e\u0432\u0456\u0434\u043a\u0430", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "\u042f\u043a\u0456\u0441\u0442\u044c", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "\u041f\u043e\u0432\u043d\u0438\u0439 \u0435\u043a\u0440\u0430\u043d", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "\u0410\u0443\u0434\u0456\u043e \u0434\u043e\u0440\u0456\u0436\u043a\u0438", - "ButtonRename": "\u041f\u0435\u0440\u0435\u0439\u043c\u0435\u043d\u0443\u0432\u0430\u0442\u0438", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439 \u0437\u0430\u043f\u0438\u0441", - "ButtonChangeType": "\u0417\u043c\u0456\u043d\u0438\u0442\u0438 \u0442\u0438\u043f", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "\u041d\u0430\u0441\u0442\u0443\u043f\u043d\u0438\u0439 \u0437\u0430\u043f\u0438\u0441", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", - "FolderTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "LabelCollection": "Collection", - "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "\u0414\u043e\u0434\u0430\u0442\u0438 \u0434\u043e \u043a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", - "FolderTypePhotos": "\u0421\u0432\u0456\u0442\u043b\u0438\u043d\u0438", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "Settings saved.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Add User", - "HeaderMenu": "Menu", - "FolderTypeGames": "\u0406\u0433\u0440\u0438", - "Users": "Users", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "Delete": "Delete", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "\u0422\u0411", - "Administrator": "Administrator", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "\u041c\u0456\u0441\u0446\u0435 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f: {0}", - "Password": "Password", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "\u041f\u043e\u043c\u0435\u0440: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "\u042f\u043a\u0456\u0441\u0442\u044c", + "HeaderNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "Select", + "ButtonNew": "\u041d\u043e\u0432\u0438\u0439", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "\u041d\u0430\u0440\u043e\u0434\u0438\u0432\u0441\u044f: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "Delete Image", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "Are you sure you wish to delete this image?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Sunday", + "LabelName": "Name:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "Monday", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "File not found.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "An error occurred while reading the file.", - "HeaderName": "Name", - "OptionWednesday": "Wednesday", + "ButtonView": "View", + "ButtonViewSeriesRecording": "View series recording", + "ValueOriginalAirDate": "Original air date: {0}", + "ButtonRemoveFromPlaylist": "Remove from playlist", + "HeaderSpecials": "Specials", + "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", + "HeaderAudio": "\u0410\u0443\u0434\u0456\u043e", + "HeaderResolution": "Resolution", + "HeaderVideo": "\u0412\u0456\u0434\u0435\u043e", + "HeaderRuntime": "Runtime", + "HeaderCommunityRating": "Community rating", + "HeaderPasswordReset": "Password Reset", + "HeaderParentalRating": "Parental rating", + "HeaderReleaseDate": "Release date", + "HeaderDateAdded": "Date added", + "HeaderSeries": "\u0421\u0435\u0440\u0456\u0457", + "HeaderSeason": "\u0421\u0435\u0437\u043e\u043d", + "HeaderSeasonNumber": "Season number", + "HeaderNetwork": "Network", + "HeaderYear": "\u0420\u0456\u043a", + "HeaderGameSystem": "Game system", + "HeaderPlayers": "Players", + "HeaderEmbeddedImage": "Embedded image", + "HeaderTrack": "\u0414\u043e\u0440\u0456\u0436\u043a\u0430", + "HeaderDisc": "\u0414\u0438\u0441\u043a", + "OptionMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", "OptionCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", - "DeleteUser": "Delete User", - "OptionThursday": "Thursday", "OptionSeries": "\u0421\u0435\u0440\u0456\u044f", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "\u0421\u0435\u0437\u043e\u043d\u0438", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Saturday", + "OptionEpisodes": "Episodes", "OptionGames": "\u0406\u0433\u0440\u0438", - "PasswordResetComplete": "The password has been reset.", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "Are you sure you wish to reset the password?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", "OptionMusicArtists": "Music artists", - "PasswordSaved": "Password saved.", - "HeaderAudio": "\u0410\u0443\u0434\u0456\u043e", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "Password and password confirmation must match.", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "\u0412\u0456\u0434\u0435\u043e", - "ButtonSelect": "Select", - "LabelVersionNumber": "Version {0}", "OptionSongs": "\u041f\u0456\u0441\u043d\u0456", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0454 \u0432\u0456\u0434\u0435\u043e", - "ButtonSave": "\u0417\u0431\u0435\u0440\u0456\u0433\u0442\u0438", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "\u0421\u0435\u0440\u0456\u0457", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "\u0412\u0456\u0434\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u0443 \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u044c\u043e\u043c\u0443 \u043f\u0440\u043e\u0433\u0440\u0430\u0432\u0430\u0447\u0456", - "HeaderSeries": "\u0421\u0435\u0440\u0456\u0457", - "TabServer": "Server", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "\u041e\u0431\u0435\u0440\u0456\u0442\u044c \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u0456\u0439 \u043f\u0440\u043e\u0433\u0440\u0430\u0432\u0430\u0447", - "HeaderSeason": "\u0421\u0435\u0437\u043e\u043d", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", - "HeaderYear": "\u0420\u0456\u043a", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "\u041d\u043e\u0432\u0438\u0439", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "\u0414\u043e\u0440\u0456\u0436\u043a\u0430", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u0456", - "HeaderDisc": "\u0414\u0438\u0441\u043a", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "Name:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "Remove", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "\u0414\u0430\u0442\u0430 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", + "LabelBirthYear": "\u0420\u0456\u043a \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", + "LabelBirthDate": "\u0414\u0430\u0442\u0430 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f:", + "LabelDeathDate": "\u0414\u0430\u0442\u0430 \u0441\u043c\u0435\u0440\u0442\u0456:", + "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": "\u041f\u0435\u0440\u0435\u0439\u043c\u0435\u043d\u0443\u0432\u0430\u0442\u0438", + "ButtonChangeType": "\u0417\u043c\u0456\u043d\u0438\u0442\u0438 \u0442\u0438\u043f", + "HeaderMediaLocations": "Media Locations", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "\u0421\u0432\u0456\u0442\u043b\u0438\u043d\u0438", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "\u0406\u0433\u0440\u0438", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "\u0422\u0411", + "TabMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "TabSeries": "Series", + "TabEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", + "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", + "TabGames": "Games", + "TabAlbums": "Albums", + "TabSongs": "Songs", + "TabMusicVideos": "Music Videos", + "BirthPlaceValue": "\u041c\u0456\u0441\u0446\u0435 \u043d\u0430\u0440\u043e\u0434\u0436\u0435\u043d\u043d\u044f: {0}", + "DeathDateValue": "\u041f\u043e\u043c\u0435\u0440: {0}", + "BirthDateValue": "\u041d\u0430\u0440\u043e\u0434\u0438\u0432\u0441\u044f: {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": "\u0426\u0456\u043d\u0430: {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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "DeviceLastUsedByUserName": "Last used by {0}", - "HeaderDeleteDevice": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u044c \u043f\u0440\u0438\u0441\u0442\u0440\u0456\u0439", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderUnrated": "Unrated", + "ValueDiscNumber": "\u0414\u0438\u0441\u043a {0}", + "HeaderUnknownDate": "\u041d\u0435\u0432\u0456\u0434\u043e\u043c\u0430 \u0434\u0430\u0442\u0430", + "HeaderUnknownYear": "\u041d\u0435\u0432\u0456\u0434\u043e\u043c\u0438\u0439 \u0440\u0456\u043a", + "ValueMinutes": "{0} \u0445\u0432\u0438\u043b\u0438\u043d", + "ButtonPlayExternalPlayer": "\u0412\u0456\u0434\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u0443 \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u044c\u043e\u043c\u0443 \u043f\u0440\u043e\u0433\u0440\u0430\u0432\u0430\u0447\u0456", + "HeaderSelectExternalPlayer": "\u041e\u0431\u0435\u0440\u0456\u0442\u044c \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u0456\u0439 \u043f\u0440\u043e\u0433\u0440\u0430\u0432\u0430\u0447", + "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": "\u041f\u043e\u0437\u043d\u0430\u0447\u0438\u0442\u0438 \u044f\u043a:", + "OptionInProgress": "In-Progress", + "LabelResumePoint": "Resume point:", + "ValueOneMovie": "1 \u0444\u0456\u043b\u044c\u043c", + "ValueMovieCount": "{0} \u0444\u0456\u043b\u044c\u043c\u0456\u0432", + "ValueOneTrailer": "1 \u0442\u0440\u0435\u0439\u043b\u0435\u0440", + "ValueTrailerCount": "{0} \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0456\u0432", + "ValueOneSeries": "1 \u0441\u0435\u0440\u0456\u044f", + "ValueSeriesCount": "{0} \u0441\u0435\u0440\u0456\u0439", + "ValueOneEpisode": "1 \u0435\u043f\u0456\u0437\u043e\u0434", + "ValueEpisodeCount": "{0} \u0435\u043f\u0456\u0437\u043e\u0434\u0456\u0432", + "ValueOneGame": "1 \u0433\u0440\u0430", + "ValueGameCount": "{0} \u0456\u0433\u0440", + "ValueOneAlbum": "1 \u0430\u043b\u044c\u0431\u043e\u043c", + "ValueAlbumCount": "{0} \u0430\u043b\u044c\u0431\u043e\u043c\u0456\u0432", + "ValueOneSong": "1 \u043f\u0456\u0441\u043d\u044f", + "ValueSongCount": "{0} \u043f\u0456\u0441\u0435\u043d\u044c", + "ValueOneMusicVideo": "1 \u043c\u0443\u0437\u0438\u0447\u043d\u0438\u0439 \u043a\u043b\u0456\u043f", + "ValueMusicVideoCount": "{0} \u043c\u0443\u0437\u0438\u0447\u043d\u0438\u0445 \u043a\u043b\u0456\u043f\u0456\u0432", + "HeaderOffline": "\u041f\u043e\u0437\u0430 \u043c\u0435\u0440\u0435\u0436\u0435\u044e", + "HeaderUnaired": "Unaired", + "HeaderMissing": "Missing", + "ButtonWebsite": "Website", + "TooltipFavorite": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0435", + "TooltipLike": "\u041f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", + "TooltipDislike": "\u041d\u0435 \u043f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", + "TooltipPlayed": "Played", + "ValueSeriesYearToPresent": "{0}-Present", + "ValueAwards": "\u041d\u0430\u0433\u043e\u0440\u043e\u0434\u0438: {0}", + "ValueBudget": "\u0411\u044e\u0434\u0436\u0435\u0442: {0}", + "ValueRevenue": "\u041a\u0430\u0441\u043e\u0432\u0456 \u0437\u0431\u043e\u0440\u0438: {0}", + "ValuePremiered": "Premiered {0}", + "ValuePremieres": "Premieres {0}", + "ValueStudio": "\u0421\u0442\u0443\u0434\u0456\u044f: {0}", + "ValueStudios": "\u0421\u0442\u0443\u0434\u0456\u0457: {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "\u041e\u0431\u043c\u0435\u0436\u0435\u043d\u043d\u044f:", + "ValueLinks": "\u041f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "\u0410\u043a\u0442\u043e\u0440: {0}", "ValueArtists": "\u0410\u043a\u0442\u043e\u0440\u0438: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "\u0412\u0438\u0441\u043e\u0442\u0430", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "\u0414\u043e\u0432\u0433\u043e\u0442\u0430", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", "HeaderAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0438", "HeaderGames": "\u0406\u0433\u0440\u0438", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "\u041a\u043d\u0438\u0433\u0438", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", "HeaderSeasons": "\u0421\u0435\u0437\u043e\u043d\u0438", "HeaderTracks": "\u0414\u043e\u0440\u0456\u0436\u043a\u0438", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "\u0417\u0430\u043f\u0440\u043e\u0441\u0438\u0442\u0438 \u0433\u043e\u0441\u0442\u044f", "MediaInfoSize": "\u0420\u043e\u0437\u043c\u0456\u0440", "MediaInfoPath": "\u0428\u043b\u044f\u0445", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "\u0424\u043e\u0440\u043c\u0430\u0442", "MediaInfoContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440", "MediaInfoDefault": "\u0422\u0438\u043f\u043e\u0432\u043e", "MediaInfoForced": "Forced", - "HeaderSettings": "\u041d\u0430\u043b\u0430\u0448\u0442\u0443\u0432\u0430\u043d\u043d\u044f", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "\u041c\u043e\u0432\u0430", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "\u041a\u043e\u0434\u0435\u043a", "MediaInfoProfile": "\u041f\u0440\u043e\u0444\u0456\u043b\u044c", "MediaInfoLevel": "\u0420\u0456\u0432\u0435\u043d\u044c", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "\u0421\u043f\u0456\u0432\u0432\u0456\u0434\u043d\u043e\u0448\u0435\u043d\u043d\u044f \u0441\u0442\u043e\u0440\u0456\u043d", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "\u0410\u0443\u0434\u0456\u043e", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "\u0414\u0430\u0442\u0430", "MediaInfoStreamTypeVideo": "\u0412\u0456\u0434\u0435\u043e", "MediaInfoStreamTypeSubtitle": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", - "ButtonSelectServer": "\u041e\u0431\u0435\u0440\u0456\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440", - "ButtonManageServer": "Manage Server", + "TabPlayback": "Playback", + "TabNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", + "TabExpert": "Expert", + "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", + "HeaderRateAndReview": "Rate and Review", + "HeaderThankYou": "\u0414\u044f\u043a\u0443\u044e", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "DeviceLastUsedByUserName": "Last used by {0}", + "HeaderDeleteDevice": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u044c \u043f\u0440\u0438\u0441\u0442\u0440\u0456\u0439", + "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 Emby.", + "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", + "ButtonLibraryAccess": "Library access", + "ButtonParentalControl": "Parental control", + "HeaderInvitationSent": "\u0417\u0430\u043f\u0440\u043e\u0448\u0435\u043d\u043d\u044f \u043d\u0430\u0434\u0456\u0441\u043b\u0430\u043d\u043e", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", + "ButtonSelectServer": "Select Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "\u0414\u043e\u0437\u0432\u043e\u043b\u0435\u043d\u043e", + "ButtonReject": "\u0412\u0456\u0434\u0445\u0438\u043b\u0435\u043d\u043e", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "\u0411\u0443\u0434\u044c \u043b\u0430\u0441\u043a\u0430, \u0437\u0432\u0435\u0440\u043d\u0456\u0442\u044c\u0441\u044f \u0434\u043e \u0430\u0434\u043c\u0456\u043d\u0456\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0430 \u0434\u043b\u044f \u0441\u043a\u0438\u0434\u0430\u043d\u043d\u044f \u0432\u0430\u0448\u043e\u0433\u043e \u043f\u0430\u0440\u043e\u043b\u044e.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "\u0417\u0430\u043f\u0440\u043e\u0441\u0438\u0442\u0438 \u0433\u043e\u0441\u0442\u044f", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "\u041e\u0431\u043c\u0435\u0436\u0435\u043d\u043d\u044f:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "\u041f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "\u0414\u043e\u0437\u0432\u043e\u043b\u0435\u043d\u043e", - "ButtonReject": "\u0412\u0456\u0434\u0445\u0438\u043b\u0435\u043d\u043e", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "\u041d\u0430\u043b\u0430\u0448\u0442\u0443\u0432\u0430\u043d\u043d\u044f", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0456\u0437\u043e\u0432\u0430\u043d\u043e", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "\u0421\u043a\u0430\u0441\u043e\u0432\u0430\u043d\u043e", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "\u0411\u0443\u0434\u044c \u043b\u0430\u0441\u043a\u0430, \u0437\u0432\u0435\u0440\u043d\u0456\u0442\u044c\u0441\u044f \u0434\u043e \u0430\u0434\u043c\u0456\u043d\u0456\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0430 \u0434\u043b\u044f \u0441\u043a\u0438\u0434\u0430\u043d\u043d\u044f \u0432\u0430\u0448\u043e\u0433\u043e \u043f\u0430\u0440\u043e\u043b\u044e.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "\u0417\u0430\u043f\u0440\u043e\u0448\u0435\u043d\u043d\u044f \u043d\u0430\u0434\u0456\u0441\u043b\u0430\u043d\u043e", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "\u0414\u044f\u043a\u0443\u044e", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 a1125ba647..0a3a9bdea0 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "L\u01b0u c\u00e1c c\u00e0i \u0111\u1eb7t.", + "AddUser": "Th\u00eam ng\u01b0\u1eddi d\u00f9ng", + "Users": "Ng\u01b0\u1eddi d\u00f9ng", + "Delete": "X\u00f3a", + "Administrator": "Ng\u01b0\u1eddi qu\u1ea3n tr\u1ecb", + "Password": "M\u1eadt kh\u1ea9u", + "DeleteImage": "X\u00f3a h\u00ecnh \u1ea3nh", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n x\u00f3a h\u00ecnh \u1ea3nh n\u00e0y?", + "FileReadCancelled": "T\u1ec7p tin \u0111\u1ecdc \u0111\u00e3 b\u1ecb h\u1ee7y.", + "FileNotFound": "Kh\u00f4ng t\u00ecm th\u1ea5y t\u1ec7p tin.", + "FileReadError": "C\u00f3 m\u1ed9t l\u1ed7i x\u1ea3y ra khi \u0111\u1ecdc t\u1ec7p tin n\u00e0y.", + "DeleteUser": "X\u00f3a ng\u01b0\u1eddi d\u00f9ng", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "M\u1eadt kh\u1ea9u \u0111\u00e3 \u0111\u01b0\u1ee3c reset", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n reset m\u1eadt kh\u1ea9u?", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "M\u1eadt kh\u1ea9u \u0111\u00e3 \u0111\u01b0\u1ee3c l\u01b0u.", + "PasswordMatchError": "M\u1eadt kh\u1ea9u v\u00e0 m\u1eadt kh\u1ea9u x\u00e1c nh\u1eadn c\u1ea7n ph\u1ea3i kh\u1edbp nhau .", + "OptionRelease": "Ph\u00e1t h\u00e0nh ch\u00ednh th\u1ee9c", + "OptionBeta": "Beta", + "OptionDev": "Kh\u00f4ng \u1ed5n \u0111\u1ecbnh", + "UninstallPluginHeader": "G\u1ee1 b\u1ecf Plugin", + "UninstallPluginConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n g\u1ee1 b\u1ecf{0}?", + "NoPluginConfigurationMessage": "Plugin n\u00e0y kh\u00f4ng c\u00f3 g\u00ec \u0111\u1ec3 c\u1ea5u h\u00ecnh.", + "NoPluginsInstalledMessage": "B\u1ea1n \u0111\u00e3 ch\u01b0a c\u00e0i \u0111\u1eb7t c\u00e1c plugin.", + "BrowsePluginCatalogMessage": "Duy\u1ec7t qua c\u00e1c danh m\u1ee5c plugin c\u1ee7a ch\u00fang t\u00f4i \u0111\u1ec3 xem c\u00e1c plugin c\u00f3 s\u1eb5n.", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "Live TV", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "d\u00f9ng", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "L\u01b0u", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "NewCollectionNameExample": "Example: Star Wars Collection", + "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "Example: Star Wars Collection", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "C\u00e1c t\u1eadp phim", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "All Recordings", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "Th\u00eam", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Ph\u00e1t h\u00e0nh ch\u00ednh th\u1ee9c", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "Beta", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Kh\u00f4ng \u1ed5n \u0111\u1ecbnh", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "G\u1ee1 b\u1ecf Plugin", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n g\u1ee1 b\u1ecf{0}?", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "Plugin n\u00e0y kh\u00f4ng c\u00f3 g\u00ec \u0111\u1ec3 c\u1ea5u h\u00ecnh.", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "B\u1ea1n \u0111\u00e3 ch\u01b0a c\u00e0i \u0111\u1eb7t c\u00e1c plugin.", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "Duy\u1ec7t qua c\u00e1c danh m\u1ee5c plugin c\u1ee7a ch\u00fang t\u00f4i \u0111\u1ec3 xem c\u00e1c plugin c\u00f3 s\u1eb5n.", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "Ch\u1ee7 Nh\u1eadt", + "OptionMonday": "Th\u1ee9 Hai", + "OptionTuesday": "Tuesday", + "OptionWednesday": "Wednesday", + "OptionThursday": "Thursday", + "OptionFriday": "Friday", + "OptionSaturday": "Th\u1ee9 B\u1ea3y", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "Media Folders", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "Scenes", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "S\u01a1 y\u1ebfu l\u00fd l\u1ecbch", + "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": "Th\u00eam", + "ButtonRemove": "G\u1ee1 b\u1ecf", "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.", - "HeaderUsers": "d\u00f9ng", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "S\u01a1 y\u1ebfu l\u00fd l\u1ecbch", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "C\u00e1c ca kh\u00fac", - "TabAlbums": "C\u00e1c Album", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "Ok", + "ButtonCancel": "Tho\u00e1t", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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", + "HeaderLibraries": "Libraries", + "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": "T\u00ean", + "HeaderAlbum": "Album", + "HeaderAlbumArtist": "Album Artist", + "HeaderArtist": "Artist", + "LabelAddedOnDate": "Added {0}", + "ButtonStart": "Start", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "Channels", + "HeaderMediaFolders": "Media Folders", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "C\u00e1c video \u00e2m nh\u1ea1c", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "Th\u1eddi gian ph\u00e1t", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "Ended", + "OptionContinuing": "Continuing", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "Parental Rating", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "Th\u1eddi gian ph\u00e1t", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "Ok", "ButtonMyProfile": "My Profile", - "ButtonCancel": "Tho\u00e1t", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "M\u00e1y ch\u1ee7", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "Metadata", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "Advanced", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "C\u00e1c phim", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "L\u01b0u c\u00e1c c\u00e0i \u0111\u1eb7t.", - "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "Th\u00eam ng\u01b0\u1eddi d\u00f9ng", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "Ng\u01b0\u1eddi d\u00f9ng", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "X\u00f3a", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "Advanced", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "Ng\u01b0\u1eddi qu\u1ea3n tr\u1ecb", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "M\u1eadt kh\u1ea9u", - "ButtonNetwork": "Network", - "OptionContinuing": "Continuing", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "Ended", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "L\u1ef1a ch\u1ecdn", + "ButtonNew": "M\u1edbi", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "X\u00f3a h\u00ecnh \u1ea3nh", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n x\u00f3a h\u00ecnh \u1ea3nh n\u00e0y?", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "Ch\u1ee7 Nh\u1eadt", + "LabelName": "T\u00ean:", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "T\u1ec7p tin \u0111\u1ecdc \u0111\u00e3 b\u1ecb h\u1ee7y.", - "OptionMonday": "Th\u1ee9 Hai", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "Kh\u00f4ng t\u00ecm th\u1ea5y t\u1ec7p tin.", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "Tuesday", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "C\u00f3 m\u1ed9t l\u1ed7i x\u1ea3y ra khi \u0111\u1ecdc t\u1ec7p tin n\u00e0y.", - "HeaderName": "T\u00ean", - "OptionWednesday": "Wednesday", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "X\u00f3a ng\u01b0\u1eddi d\u00f9ng", - "OptionThursday": "Thursday", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "Friday", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "Th\u1ee9 B\u1ea3y", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "M\u1eadt kh\u1ea9u \u0111\u00e3 \u0111\u01b0\u1ee3c reset", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "B\u1ea1n c\u00f3 ch\u1eafc mu\u1ed1n reset m\u1eadt kh\u1ea9u?", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "M\u1eadt kh\u1ea9u \u0111\u00e3 \u0111\u01b0\u1ee3c l\u01b0u.", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "M\u1eadt kh\u1ea9u v\u00e0 m\u1eadt kh\u1ea9u x\u00e1c nh\u1eadn c\u1ea7n ph\u1ea3i kh\u1edbp nhau .", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "L\u1ef1a ch\u1ecdn", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "L\u01b0u", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "Channels", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "M\u00e1y ch\u1ee7", - "TabSeries": "Series", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "M\u1edbi", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "Metadata", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "T\u00ean:", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "G\u1ee1 b\u1ecf", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "C\u00e1c phim", + "TabSeries": "Series", + "TabEpisodes": "C\u00e1c t\u1eadp phim", + "TabTrailers": "Trailers", + "TabGames": "Games", + "TabAlbums": "C\u00e1c Album", + "TabSongs": "C\u00e1c ca kh\u00fac", + "TabMusicVideos": "C\u00e1c video \u00e2m nh\u1ea1c", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "Delete", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "All Recordings", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "Play", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "Games", - "ButtonEdit": "Edit", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "Delete", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "Live TV", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "Info", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "Info", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 9e211c5674..fd7795dcbd 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh-CN.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh-CN.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u8bbe\u7f6e\u5df2\u4fdd\u5b58", + "AddUser": "\u6dfb\u52a0\u7528\u6237", + "Users": "\u7528\u6237", + "Delete": "\u5220\u9664", + "Administrator": "\u7ba1\u7406\u5458", + "Password": "\u5bc6\u7801", + "DeleteImage": "\u5220\u9664\u56fe\u50cf", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u4f60\u786e\u5b9a\u8981\u5220\u9664\u6b64\u56fe\u50cf\uff1f", + "FileReadCancelled": "\u6587\u4ef6\u8bfb\u53d6\u5df2\u88ab\u53d6\u6d88\u3002", + "FileNotFound": "\u672a\u627e\u5230\u6587\u4ef6\u3002", + "FileReadError": "\u8bfb\u53d6\u6587\u4ef6\u53d1\u751f\u9519\u8bef\u3002", + "DeleteUser": "\u5220\u9664\u7528\u6237", + "DeleteUserConfirmation": "\u4f60\u786e\u5b9a\u8981\u5220\u9664\u6b64\u7528\u6237\uff1f", + "PasswordResetHeader": "\u5bc6\u7801\u91cd\u7f6e", + "PasswordResetComplete": "\u5bc6\u7801\u5df2\u91cd\u7f6e", + "PinCodeResetComplete": "PIN\u7801\u5df2\u88ab\u200b\u200b\u91cd\u7f6e\u3002", + "PasswordResetConfirmation": "\u4f60\u786e\u5b9a\u8981\u91cd\u7f6e\u5bc6\u7801\uff1f", + "PinCodeResetConfirmation": "\u4f60\u786e\u5b9a\u8981\u91cd\u7f6ePIN\u7801\uff1f", + "HeaderPinCodeReset": "\u91cd\u7f6ePIN\u7801", + "PasswordSaved": "\u5bc6\u7801\u5df2\u4fdd\u5b58\u3002", + "PasswordMatchError": "\u5bc6\u7801\u548c\u786e\u8ba4\u5bc6\u7801\u5fc5\u987b\u5339\u914d\u3002", + "OptionRelease": "\u5b98\u65b9\u6b63\u5f0f\u7248", + "OptionBeta": "\u6d4b\u8bd5\u7248", + "OptionDev": "\u5f00\u53d1\u7248\uff08\u4e0d\u7a33\u5b9a\uff09", + "UninstallPluginHeader": "\u5378\u8f7d\u63d2\u4ef6", + "UninstallPluginConfirmation": "\u4f60\u786e\u5b9a\u8981\u5378\u8f7d {0}?", + "NoPluginConfigurationMessage": "\u6b64\u63d2\u4ef6\u6ca1\u6709\u914d\u7f6e\u9009\u9879\u3002", + "NoPluginsInstalledMessage": "\u4f60\u6ca1\u6709\u5b89\u88c5\u63d2\u4ef6\u3002", + "BrowsePluginCatalogMessage": "\u6d4f\u89c8\u6211\u4eec\u7684\u63d2\u4ef6\u76ee\u5f55\u6765\u67e5\u770b\u73b0\u6709\u63d2\u4ef6\u3002", + "MessageKeyEmailedTo": "\u5e8f\u53f7\u901a\u8fc7\u7535\u5b50\u90ae\u4ef6\u53d1\u9001\u7ed9 {0}.", + "MessageKeysLinked": "\u5e8f\u53f7\u5df2\u5173\u8054", + "HeaderConfirmation": "\u786e\u8ba4", + "MessageKeyUpdated": "\u8c22\u8c22\u3002\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5df2\u66f4\u65b0\u3002", + "MessageKeyRemoved": "\u8c22\u8c22\u3002\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5df2\u79fb\u9664\u3002", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "\u4eab\u53d7\u5956\u52b1\u529f\u80fd", + "TitleLiveTV": "\u7535\u89c6\u76f4\u64ad", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "\u540c\u6b65", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "\u6350\u8d60", + "LabelRecurringDonationCanBeCancelledHelp": "\u5728\u60a8\u7684PayPal\u8d26\u6237\u5185\u4efb\u4f55\u65f6\u5019\u90fd\u53ef\u4ee5\u53d6\u6d88\u7ecf\u5e38\u6027\u6350\u8d60\u3002", + "HeaderMyMedia": "My Media", + "TitleNotifications": "\u901a\u77e5", + "ErrorLaunchingChromecast": "\u542f\u52a8chromecast\u9047\u5230\u9519\u8bef\uff0c\u8bf7\u786e\u8ba4\u8bbe\u5907\u5df2\u7ecf\u8fde\u63a5\u5230\u4f60\u7684\u65e0\u7ebf\u7f51\u7edc\u3002", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u7528\u6237", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "\u641c\u7d22", + "ValueDateCreated": "\u521b\u5efa\u65e5\u671f\uff1a {0}", + "LabelArtist": "\u827a\u672f\u5bb6", + "LabelMovie": "\u7535\u5f71", + "LabelMusicVideo": "\u97f3\u4e50\u89c6\u9891", + "LabelEpisode": "\u5267\u96c6", + "LabelSeries": "\u7535\u89c6\u5267", + "LabelStopping": "\u505c\u6b62", + "LabelCancelled": "(\u5df2\u53d6\u6d88)", + "LabelFailed": "(\u5931\u8d25)", + "ButtonHelp": "Help", + "ButtonSave": "\u50a8\u5b58", + "ButtonDownload": "\u4e0b\u8f7d", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "\u5408\u96c6", + "HeaderAddToCollection": "\u52a0\u5165\u5408\u96c6", + "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", + "LabelSelectCollection": "\u9009\u62e9\u5408\u96c6\uff1a", + "HeaderDevices": "\u8bbe\u5907", + "ButtonScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", + "MessageItemsAdded": "\u9879\u76ee\u5df2\u6dfb\u52a0", + "ButtonAddToCollection": "\u6dfb\u52a0\u5230\u6536\u85cf", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "\u6b64\u64cd\u4f5c\u901a\u5e38\u662f\u901a\u8fc7\u8ba1\u5212\u4efb\u52a1\u81ea\u52a8\u8fd0\u884c\u3002\u5b83\u4e5f\u53ef\u624b\u52a8\u8fd0\u884c\u3002\u8981\u914d\u7f6e\u8ba1\u5212\u4efb\u52a1\uff0c\u8bf7\u53c2\u9605\uff1a", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "\u8fdb\u884c\u53c2\u89c2", + "HeaderWelcomeBack": "\u6b22\u8fce\u56de\u6765\uff01", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "\u8fdb\u884c\u53c2\u89c2\uff0c\u770b\u770b\u6709\u4ec0\u4e48\u65b0\u4e1c\u897f", + "MessageNoSyncJobsFound": "\u6ca1\u6709\u53d1\u73b0\u540c\u6b65\u4f5c\u4e1a\u3002\u4f7f\u7528Web\u754c\u9762\u4e2d\u7684\u540c\u6b65\u6309\u94ae\u6765\u521b\u5efa\u540c\u6b65\u4f5c\u4e1a\u3002", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "\u8bbe\u5907\u8bbf\u95ee", + "HeaderSelectDevices": "\u9009\u62e9\u8bbe\u5907", + "ButtonCancelItem": "\u53d6\u6d88\u9879\u76ee", + "ButtonQueueForRetry": "\u91cd\u8bd5\u961f\u5217", + "ButtonReenable": "\u91cd\u65b0\u542f\u7528", + "ButtonLearnMore": "\u4e86\u89e3\u66f4\u591a", + "SyncJobItemStatusSyncedMarkForRemoval": "\u6807\u8bb0\u4e3a\u5220\u9664", + "LabelAbortedByServerShutdown": "(\u56e0\u4e3a\u670d\u52a1\u5668\u5173\u95ed\u88ab\u4e2d\u6b62)", + "LabelScheduledTaskLastRan": "\u6700\u540e\u8fd0\u884c {0}, \u82b1\u8d39\u65f6\u95f4 {1}.", + "HeaderDeleteTaskTrigger": "\u5220\u9664\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6", "HeaderTaskTriggers": "\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6", - "ButtonResetTuner": "\u590d\u4f4d\u8c03\u8c10\u5668", - "ButtonRestart": "\u91cd\u542f", "MessageDeleteTaskTrigger": "\u4f60\u786e\u5b9a\u5220\u9664\u8fd9\u4e2a\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6\uff1f", - "HeaderResetTuner": "\u590d\u4f4d\u8c03\u8c10\u5668", - "NewCollectionNameExample": "\u4f8b\u5982\uff1a\u661f\u7403\u5927\u6218\u5408\u96c6", "MessageNoPluginsInstalled": "\u4f60\u6ca1\u6709\u5b89\u88c5\u63d2\u4ef6\u3002", - "MessageConfirmResetTuner": "\u4f60\u786e\u8ba4\u5e0c\u671b\u590d\u4f4d\u6b64\u8c03\u8c10\u5668\uff1f\u6240\u6709\u6d3b\u52a8\u4e2d\u7684\u64ad\u653e\u5668\u6216\u5f55\u5236\u8bbe\u5907\u90fd\u5c06\u7a81\u7136\u505c\u6b62\u3002", - "OptionSearchForInternetMetadata": "\u5728\u4e92\u8054\u7f51\u4e0a\u641c\u7d22\u5a92\u4f53\u56fe\u50cf\u548c\u8d44\u6599", - "ButtonUpdateNow": "\u73b0\u5728\u66f4\u65b0", "LabelVersionInstalled": "{0} \u5df2\u5b89\u88c5", - "ButtonCancelSeries": "\u53d6\u6d88\u7535\u89c6\u5267", "LabelNumberReviews": "{0} \u8bc4\u8bba", - "LabelAllChannels": "\u6240\u6709\u9891\u9053", "LabelFree": "\u514d\u8d39", - "HeaderSeriesRecordings": "\u7535\u89c6\u5267\u5f55\u5236", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "\u9009\u62e9\u97f3\u9891", - "LabelAnytime": "\u968f\u65f6", "HeaderSelectSubtitles": "\u9009\u62e9\u5b57\u5e55", - "StatusRecording": "\u5f55\u5236", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(\u9ed8\u8ba4)", - "StatusWatching": "\u89c2\u770b", "LabelForcedStream": "(\u5f3a\u5236)", - "StatusRecordingProgram": "\u5f55\u5236 {0}", "LabelDefaultForcedStream": "(\u9ed8\u8ba4\/\u5f3a\u5236)", - "StatusWatchingProgram": "\u89c2\u770b {0}", "LabelUnknownLanguage": "\u672a\u77e5\u8bed\u8a00", - "ButtonQueue": "\u52a0\u5165\u961f\u5217", + "MessageConfirmSyncJobItemCancellation": "\u4f60\u786e\u5b9a\u8981\u53d6\u6d88\u8fd9\u4e2a\u9879\u76ee\uff1f", + "ButtonMute": "\u9759\u97f3", "ButtonUnmute": "\u53d6\u6d88\u9759\u97f3", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "\u62c6\u5206\u5a92\u4f53", + "ButtonStop": "\u505c\u6b62", + "ButtonNextTrack": "\u4e0b\u4e00\u97f3\u8f68", + "ButtonPause": "\u6682\u505c", + "ButtonPlay": "\u64ad\u653e", + "ButtonEdit": "\u7f16\u8f91", + "ButtonQueue": "\u52a0\u5165\u961f\u5217", "ButtonPlaylist": "\u64ad\u653e\u5217\u8868", - "MessageConfirmSplitMedia": "\u60a8\u786e\u5b9a\u8981\u628a\u5a92\u4f53\u6e90\u62c6\u5206\u4e3a\u5355\u72ec\u7684\u9879\u76ee\uff1f", - "HeaderError": "\u9519\u8bef", + "ButtonPreviousTrack": "\u4e0a\u4e00\u97f3\u8f68", "LabelEnabled": "\u5df2\u542f\u7528", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "\u5df2\u7981\u7528", - "MessageTheFollowingItemsWillBeGrouped": "\u4ee5\u4e0b\u6807\u9898\u5c06\u88ab\u5f52\u5165\u4e00\u4e2a\u9879\u76ee\uff1a", "ButtonMoreInformation": "\u66f4\u591a\u4fe1\u606f", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "\u6ca1\u6709\u672a\u8bfb\u901a\u77e5\u3002", "ButtonViewNotifications": "\u67e5\u770b\u901a\u77e5", - "HeaderFavoriteAlbums": "\u6700\u7231\u7684\u4e13\u8f91", "ButtonMarkTheseRead": "\u6807\u8bb0\u8fd9\u4e9b\u5df2\u8bfb", - "HeaderLatestChannelMedia": "\u6700\u65b0\u9891\u9053\u9879\u76ee", "ButtonClose": "\u5173\u95ed", - "ButtonOrganizeFile": "\u6574\u7406\u6587\u4ef6", - "ButtonLearnMore": "\u4e86\u89e3\u66f4\u591a", - "TabEpisodes": "\u5267\u96c6", "LabelAllPlaysSentToPlayer": "\u6240\u6709\u64ad\u653e\u5185\u5bb9\u90fd\u5c06\u88ab\u53d1\u9001\u5230\u6240\u9009\u62e9\u7684\u64ad\u653e\u5668\u3002", - "ButtonDeleteFile": "\u5220\u9664\u6587\u4ef6", "MessageInvalidUser": "\u7528\u6237\u540d\u6216\u5bc6\u7801\u4e0d\u53ef\u7528\u3002\u8bf7\u91cd\u8bd5\u3002", - "HeaderOrganizeFile": "\u6574\u7406\u6587\u4ef6", - "HeaderAudioTracks": "\u97f3\u8f68", + "HeaderLoginFailure": "\u767b\u5f55\u5931\u8d25", + "HeaderAllRecordings": "\u6240\u6709\u5f55\u5236\u7684\u8282\u76ee", "RecommendationBecauseYouLike": "\u56e0\u4e3a\u4f60\u559c\u6b22 {0}", - "HeaderDeleteFile": "\u5220\u9664\u6587\u4ef6", - "ButtonAdd": "\u6dfb\u52a0", - "HeaderSubtitles": "\u5b57\u5e55", - "ButtonView": "\u89c6\u56fe", "RecommendationBecauseYouWatched": "\u56e0\u4e3a\u4f60\u770b\u8fc7 {0}", - "StatusSkipped": "\u8df3\u8fc7", - "HeaderVideoQuality": "\u89c6\u9891\u8d28\u91cf", "RecommendationDirectedBy": "\u5bfc\u6f14 {0}", - "StatusFailed": "\u5931\u8d25", - "MessageErrorPlayingVideo": "\u64ad\u653e\u89c6\u9891\u51fa\u73b0\u9519\u8bef\u3002", "RecommendationStarring": "\u4e3b\u6f14 {0}", - "StatusSuccess": "\u6210\u529f", - "MessageEnsureOpenTuner": "\u8bf7\u786e\u4fdd\u6709\u4e00\u4e2a\u6253\u5f00\u7684\u53ef\u7528\u8c03\u8c10\u5668", "HeaderConfirmRecordingCancellation": "\u786e\u8ba4\u53d6\u6d88\u5f55\u5236", - "MessageFileWillBeDeleted": "\u4ee5\u4e0b\u6587\u4ef6\u5c06\u88ab\u5220\u9664\uff1a", - "ButtonDashboard": "\u63a7\u5236\u53f0", "MessageConfirmRecordingCancellation": "\u4f60\u786e\u5b9a\u5e0c\u671b\u53d6\u6d88\u5f55\u5236\uff1f", - "MessageSureYouWishToProceed": "\u4f60\u786e\u5b9a\u8981\u7ee7\u7eed\uff1f", - "ButtonHelp": "Help", - "ButtonReports": "\u62a5\u544a", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "\u5f55\u5236\u5df2\u53d6\u6d88\u3002", - "MessageDuplicatesWillBeDeleted": "\u6b64\u5916\uff0c\u4ee5\u4e0b\u8fd9\u4e9b\u5c06\u88ab\u5220\u9664\uff1a", - "ButtonMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "Off", + "HeaderConfirmSeriesCancellation": "\u786e\u8ba4\u7535\u89c6\u5267\u53d6\u6d88", + "MessageConfirmSeriesCancellation": "\u4f60\u786e\u5b9a\u5e0c\u671b\u53d6\u6d88\u6b64\u7535\u89c6\u5267\uff1f", + "MessageSeriesCancelled": "\u7535\u89c6\u5267\u5df2\u53d6\u6d88", "HeaderConfirmRecordingDeletion": "\u786e\u8ba4\u5220\u9664\u5f55\u5f71", - "MessageFollowingFileWillBeMovedFrom": "\u4ee5\u4e0b\u6587\u4ef6\u5c06\u88ab\u79fb\u52a8\uff0c\u4ece\uff1a", - "HeaderTime": "\u65f6\u95f4", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "On", "MessageConfirmRecordingDeletion": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u5f55\u5f71\uff1f", - "MessageDestinationTo": "\u5230\uff1a", - "HeaderAlbum": "\u4e13\u8f91", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "\u5b98\u65b9\u6b63\u5f0f\u7248", "MessageRecordingDeleted": "\u5f55\u5f71\u5df2\u5220\u9664\u3002", - "HeaderSelectWatchFolder": "\u9009\u62e9\u76d1\u63a7\u6587\u4ef6", - "HeaderAlbumArtist": "\u4e13\u8f91\u827a\u672f\u5bb6", - "HeaderMyViews": "\u6211\u7684\u754c\u9762", - "ValueMinutes": "{0} min", - "OptionBeta": "\u6d4b\u8bd5\u7248", "ButonCancelRecording": "\u53d6\u6d88\u5f55\u5236", - "HeaderSelectWatchFolderHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u76d1\u63a7\u6587\u4ef6\u5939\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "HeaderArtist": "\u827a\u672f\u5bb6", - "OptionDev": "\u5f00\u53d1\u7248\uff08\u4e0d\u7a33\u5b9a\uff09", "MessageRecordingSaved": "\u5f55\u5f71\u5df2\u4fdd\u5b58\u3002", - "OrganizePatternResult": "\u7ed3\u679c\uff1a {0}", - "HeaderLatestTvRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee", - "UninstallPluginHeader": "\u5378\u8f7d\u63d2\u4ef6", - "ButtonMute": "\u9759\u97f3", - "HeaderRestart": "\u91cd\u542f", - "UninstallPluginConfirmation": "\u4f60\u786e\u5b9a\u8981\u5378\u8f7d {0}?", - "HeaderShutdown": "\u5173\u673a", - "NoPluginConfigurationMessage": "\u6b64\u63d2\u4ef6\u6ca1\u6709\u914d\u7f6e\u9009\u9879\u3002", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "\u4f60\u6ca1\u6709\u5b89\u88c5\u63d2\u4ef6\u3002", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "\u64a4\u9500Api \u5bc6\u94a5", - "BrowsePluginCatalogMessage": "\u6d4f\u89c8\u6211\u4eec\u7684\u63d2\u4ef6\u76ee\u5f55\u6765\u67e5\u770b\u73b0\u6709\u63d2\u4ef6\u3002", - "NewVersionOfSomethingAvailable": "\u4e00\u4e2a\u65b0\u7684\u7248\u672c {0} \u53ef\u7528!", - "VersionXIsAvailableForDownload": "\u7248\u672c {0} \u73b0\u5728\u5df2\u7ecf\u53ef\u4ee5\u4e0b\u8f7d\u3002", - "TextEnjoyBonusFeatures": "\u4eab\u53d7\u5956\u52b1\u529f\u80fd", - "ButtonHome": "\u9996\u9875", + "OptionSunday": "\u661f\u671f\u5929", + "OptionMonday": "\u661f\u671f\u4e00", + "OptionTuesday": "\u661f\u671f\u4e8c", + "OptionWednesday": "\u661f\u671f\u4e09", + "OptionThursday": "\u661f\u671f\u56db", + "OptionFriday": "\u661f\u671f\u4e94", + "OptionSaturday": "\u661f\u671f\u516d", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "\u8bbe\u7f6e", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", - "ValueDateCreated": "\u521b\u5efa\u65e5\u671f\uff1a {0}", - "MessageItemsAdded": "\u9879\u76ee\u5df2\u6dfb\u52a0", - "HeaderScenes": "\u573a\u666f", - "HeaderNotifications": "\u901a\u77e5", - "HeaderSelectPlayer": "\u9009\u62e9\u64ad\u653e\u5668\uff1a", - "ButtonAddToCollection": "\u6dfb\u52a0\u5230\u6536\u85cf", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "\u64ad\u653e\u9884\u544a\u7247", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "\u901a\u77e5", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "MessageSupporterMembershipExpiredOn": "\u652f\u6301\u8005\u4f1a\u5458\u5230\u671f\u65e5{0}\u3002", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "\u60a8\u662f\u6fc0\u6d3b\u7684{0}\u4f1a\u5458\u3002\u60a8\u53ef\u4ee5\u4f7f\u7528\u4e0b\u9762\u7684\u9009\u9879\u5347\u7ea7\u60a8\u7684\u8ba1\u5212\u3002", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "HeaderConfirmDeletion": "\u786e\u8ba4\u5220\u9664", + "MessageConfirmPathSubstitutionDeletion": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u8def\u5f84\u66ff\u4ee3\uff1f", + "LiveTvUpdateAvailable": "(\u66f4\u65b0\u53ef\u7528)", + "LabelVersionUpToDate": "\u6700\u65b0\uff01", + "ButtonResetTuner": "\u590d\u4f4d\u8c03\u8c10\u5668", + "HeaderResetTuner": "\u590d\u4f4d\u8c03\u8c10\u5668", + "MessageConfirmResetTuner": "\u4f60\u786e\u8ba4\u5e0c\u671b\u590d\u4f4d\u6b64\u8c03\u8c10\u5668\uff1f\u6240\u6709\u6d3b\u52a8\u4e2d\u7684\u64ad\u653e\u5668\u6216\u5f55\u5236\u8bbe\u5907\u90fd\u5c06\u7a81\u7136\u505c\u6b62\u3002", + "ButtonCancelSeries": "\u53d6\u6d88\u7535\u89c6\u5267", + "HeaderSeriesRecordings": "\u7535\u89c6\u5267\u5f55\u5236", + "LabelAnytime": "\u968f\u65f6", + "StatusRecording": "\u5f55\u5236", + "StatusWatching": "\u89c2\u770b", + "StatusRecordingProgram": "\u5f55\u5236 {0}", + "StatusWatchingProgram": "\u89c2\u770b {0}", + "HeaderSplitMedia": "\u62c6\u5206\u5a92\u4f53", + "MessageConfirmSplitMedia": "\u60a8\u786e\u5b9a\u8981\u628a\u5a92\u4f53\u6e90\u62c6\u5206\u4e3a\u5355\u72ec\u7684\u9879\u76ee\uff1f", + "HeaderError": "\u9519\u8bef", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "MessagePleaseSelectOneItem": "\u8bf7\u81f3\u5c11\u9009\u62e9\u4e00\u4e2a\u9879\u76ee\u3002", + "MessagePleaseSelectTwoItems": "\u8bf7\u81f3\u5c11\u9009\u62e92\u4e2a\u9879\u76ee\u3002", + "MessageTheFollowingItemsWillBeGrouped": "\u4ee5\u4e0b\u6807\u9898\u5c06\u88ab\u5f52\u5165\u4e00\u4e2a\u9879\u76ee\uff1a", + "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", + "HeaderResume": "\u6062\u590d\u64ad\u653e", + "HeaderMyViews": "\u6211\u7684\u754c\u9762", + "HeaderLibraryFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", + "HeaderLatestMedia": "\u6700\u65b0\u5a92\u4f53", + "ButtonMoreItems": "\u66f4\u591a...", + "ButtonMore": "\u66f4\u591a", + "HeaderFavoriteMovies": "\u6700\u7231\u7684\u7535\u5f71", + "HeaderFavoriteShows": "\u6700\u7231\u7684\u8282\u76ee", + "HeaderFavoriteEpisodes": "\u6700\u7231\u7684\u5267\u96c6", + "HeaderFavoriteGames": "\u6700\u7231\u7684\u6e38\u620f", + "HeaderRatingsDownloads": "\u8bc4\u5206\/\u4e0b\u8f7d", + "HeaderConfirmProfileDeletion": "\u786e\u8ba4\u5220\u9664\u914d\u7f6e\u6587\u4ef6", + "MessageConfirmProfileDeletion": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u914d\u7f6e\u6587\u4ef6\uff1f", + "HeaderSelectServerCachePath": "\u9009\u62e9\u670d\u52a1\u5668\u7f13\u5b58\u8def\u5f84", + "HeaderSelectTranscodingPath": "\u9009\u62e9\u4e34\u65f6\u89e3\u7801\u8def\u5f84", + "HeaderSelectImagesByNamePath": "\u9009\u62e9\u6309\u540d\u79f0\u5f52\u7c7b\u7684\u56fe\u7247\u8def\u5f84", + "HeaderSelectMetadataPath": "\u9009\u62e9\u5a92\u4f53\u8d44\u6599\u8def\u5f84\uff1a", + "HeaderSelectServerCachePathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u670d\u52a1\u5668\u7f13\u5b58\u6587\u4ef6\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "HeaderSelectTranscodingPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4e34\u65f6\u8f6c\u7801\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "HeaderSelectImagesByNamePathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u6309\u6587\u4ef6\u5939\u540d\u79f0\u5206\u7ec4\u7684\u9879\u76ee\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "HeaderSelectMetadataPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4fdd\u5b58\u5a92\u4f53\u8d44\u6599\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "HeaderSelectChannelDownloadPath": "\u9009\u62e9\u9891\u9053\u4e0b\u8f7d\u8def\u5f84", + "HeaderSelectChannelDownloadPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4fdd\u5b58\u9891\u9053\u7f13\u5b58\u6587\u4ef6\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "OptionNewCollection": "\u66f4\u65b0...", + "ButtonAdd": "\u6dfb\u52a0", + "ButtonRemove": "\u79fb\u9664", "LabelChapterDownloaders": "\u7ae0\u8282\u4e0b\u8f7d\u5668\uff1a", "LabelChapterDownloadersHelp": "\u542f\u7528\u7ae0\u8282\u4e0b\u8f7d\u5668\u7684\u4f18\u5148\u7ea7\u6392\u5e8f\uff0c\u4f4e\u4f18\u5148\u7ea7\u7684\u4e0b\u8f7d\u5668\u53ea\u4f1a\u7528\u6765\u586b\u8865\u7f3a\u5c11\u7684\u4fe1\u606f\u3002", - "HeaderUsers": "\u7528\u6237", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "\u4e3a\u5728IE\u6d4f\u89c8\u5668\u4e0a\u8fbe\u5230\u6700\u597d\u7684\u6548\u679c\uff0c\u8bf7\u5b89\u88c5WebM\u64ad\u653e\u63d2\u4ef6\u3002", - "HeaderResume": "\u6062\u590d\u64ad\u653e", - "HeaderVideoError": "\u89c6\u9891\u9519\u8bef", + "HeaderFavoriteAlbums": "\u6700\u7231\u7684\u4e13\u8f91", + "HeaderLatestChannelMedia": "\u6700\u65b0\u9891\u9053\u9879\u76ee", + "ButtonOrganizeFile": "\u6574\u7406\u6587\u4ef6", + "ButtonDeleteFile": "\u5220\u9664\u6587\u4ef6", + "HeaderOrganizeFile": "\u6574\u7406\u6587\u4ef6", + "HeaderDeleteFile": "\u5220\u9664\u6587\u4ef6", + "StatusSkipped": "\u8df3\u8fc7", + "StatusFailed": "\u5931\u8d25", + "StatusSuccess": "\u6210\u529f", + "MessageFileWillBeDeleted": "\u4ee5\u4e0b\u6587\u4ef6\u5c06\u88ab\u5220\u9664\uff1a", + "MessageSureYouWishToProceed": "\u4f60\u786e\u5b9a\u8981\u7ee7\u7eed\uff1f", + "MessageDuplicatesWillBeDeleted": "\u6b64\u5916\uff0c\u4ee5\u4e0b\u8fd9\u4e9b\u5c06\u88ab\u5220\u9664\uff1a", + "MessageFollowingFileWillBeMovedFrom": "\u4ee5\u4e0b\u6587\u4ef6\u5c06\u88ab\u79fb\u52a8\uff0c\u4ece\uff1a", + "MessageDestinationTo": "\u5230\uff1a", + "HeaderSelectWatchFolder": "\u9009\u62e9\u76d1\u63a7\u6587\u4ef6", + "HeaderSelectWatchFolderHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u76d1\u63a7\u6587\u4ef6\u5939\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", + "OrganizePatternResult": "\u7ed3\u679c\uff1a {0}", + "HeaderRestart": "\u91cd\u542f", + "HeaderShutdown": "\u5173\u673a", + "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "\u73b0\u5728\u66f4\u65b0", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "NewVersionOfSomethingAvailable": "\u4e00\u4e2a\u65b0\u7684\u7248\u672c {0} \u53ef\u7528!", + "VersionXIsAvailableForDownload": "\u7248\u672c {0} \u73b0\u5728\u5df2\u7ecf\u53ef\u4ee5\u4e0b\u8f7d\u3002", + "LabelVersionNumber": "\u7248\u672c {0}", + "LabelPlayMethodTranscoding": "\u8f6c\u7801", + "LabelPlayMethodDirectStream": "\u76f4\u63a5\u7528\u5a92\u4f53\u6d41", + "LabelPlayMethodDirectPlay": "\u76f4\u63a5\u64ad\u653e", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "\u97f3\u9891\uff1a {0}", + "LabelVideoCodec": "\u89c6\u9891\uff1a{0}", + "LabelLocalAccessUrl": "\u672c\u5730\u8bbf\u95ee\uff1a {0}", + "LabelRemoteAccessUrl": "\u8fdc\u7a0b\u8bbf\u95ee\uff1a{0}", + "LabelRunningOnPort": "\u6b63\u8fd0\u884c\u4e8eHTTP\u7aef\u53e3 {0}.", + "LabelRunningOnPorts": "\u6b63\u8fd0\u884c\u4e8eHTTP\u7aef\u53e3 {0}\uff0c\u548c https\u7aef\u53e3{1}.", + "HeaderLatestFromChannel": "\u6700\u65b0\u7684 {0}", + "LabelUnknownLanaguage": "\u672a\u77e5\u8bed\u8a00", + "HeaderCurrentSubtitles": "\u5f53\u524d\u5b57\u5e55", + "MessageDownloadQueued": "\u4e0b\u8f7d\u5df2\u52a0\u5165\u961f\u5217\u3002", + "MessageAreYouSureDeleteSubtitles": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u5b57\u5e55\u6587\u4ef6\uff1f", "ButtonRemoteControl": "\u8fdc\u7a0b\u63a7\u5236", - "TabSongs": "\u6b4c\u66f2", - "TabAlbums": "\u4e13\u8f91", - "MessageFeatureIncludedWithSupporter": "\u60a8\u6ce8\u518c\u4e86\u8be5\u529f\u80fd\uff0c\u6fc0\u6d3b\u7684\u652f\u6301\u8005\u4f1a\u5458\u80fd\u591f\u4e00\u76f4\u4f7f\u7528\u5b83\u3002", + "HeaderLatestTvRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee", + "ButtonOk": "\u786e\u5b9a", + "ButtonCancel": "\u53d6\u6d88", + "ButtonRefresh": "\u5237\u65b0", + "LabelCurrentPath": "\u5f53\u524d\u8def\u5f84\uff1a", + "HeaderSelectMediaPath": "\u9009\u62e9\u5a92\u4f53\u8def\u5f84", + "HeaderSelectPath": "Select Path", + "ButtonNetwork": "\u7f51\u7edc", + "MessageDirectoryPickerInstruction": "\u7f51\u7edc\u6309\u94ae\u65e0\u6cd5\u627e\u5230\u60a8\u7684\u8bbe\u5907\u7684\u60c5\u51b5\u4e0b\uff0c\u7f51\u7edc\u8def\u5f84\u53ef\u4ee5\u624b\u52a8\u8f93\u5165\u3002 \u4f8b\u5982\uff0c {0} \u6216\u8005 {1}\u3002", + "HeaderMenu": "\u83dc\u5355", + "ButtonOpen": "\u6253\u5f00", + "ButtonOpenInNewTab": "\u5728\u65b0\u7a97\u53e3\u4e2d\u6253\u5f00", + "ButtonShuffle": "\u6401\u7f6e", + "ButtonInstantMix": "\u5373\u65f6\u6df7\u97f3", + "ButtonResume": "\u6062\u590d\u64ad\u653e", + "HeaderScenes": "\u573a\u666f", + "HeaderAudioTracks": "\u97f3\u8f68", + "HeaderLibraries": "Libraries", + "HeaderSubtitles": "\u5b57\u5e55", + "HeaderVideoQuality": "\u89c6\u9891\u8d28\u91cf", + "MessageErrorPlayingVideo": "\u64ad\u653e\u89c6\u9891\u51fa\u73b0\u9519\u8bef\u3002", + "MessageEnsureOpenTuner": "\u8bf7\u786e\u4fdd\u6709\u4e00\u4e2a\u6253\u5f00\u7684\u53ef\u7528\u8c03\u8c10\u5668", + "ButtonHome": "\u9996\u9875", + "ButtonDashboard": "\u63a7\u5236\u53f0", + "ButtonReports": "\u62a5\u544a", + "ButtonMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406", + "HeaderTime": "\u65f6\u95f4", + "HeaderName": "\u540d\u5b57", + "HeaderAlbum": "\u4e13\u8f91", + "HeaderAlbumArtist": "\u4e13\u8f91\u827a\u672f\u5bb6", + "HeaderArtist": "\u827a\u672f\u5bb6", + "LabelAddedOnDate": "\u6dfb\u52a0 {0}", + "ButtonStart": "\u5f00\u59cb", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "\u9891\u9053", + "HeaderMediaFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", + "HeaderBlockItemsWithNoRating": "Block content with no rating information:", + "OptionBlockOthers": "\u5176\u4ed6", + "OptionBlockTvShows": "\u7535\u89c6\u8282\u76ee", + "OptionBlockTrailers": "\u9884\u544a\u7247", + "OptionBlockMusic": "\u97f3\u4e50", + "OptionBlockMovies": "\u7535\u5f71", + "OptionBlockBooks": "\u4e66\u7c4d", + "OptionBlockGames": "\u6e38\u620f", + "OptionBlockLiveTvPrograms": "\u7535\u89c6\u76f4\u64ad\u7a0b\u5e8f", + "OptionBlockLiveTvChannels": "\u7535\u89c6\u76f4\u64ad\u9891\u9053", + "OptionBlockChannelContent": "\u4e92\u8054\u7f51\u9891\u9053\u5185\u5bb9", + "ButtonRevoke": "\u64a4\u9500", + "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "\u64a4\u9500Api \u5bc6\u94a5", "ValueContainer": "\u5a92\u4f53\u8f7d\u4f53\uff1a {0}", "ValueAudioCodec": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a {0}", "ValueVideoCodec": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a {0}", - "TabMusicVideos": "\u97f3\u4e50\u89c6\u9891", "ValueCodec": "\u7f16\u89e3\u7801\u5668\uff1a{0}", - "HeaderLatestReviews": "\u6700\u65b0\u8bc4\u8bba", - "HeaderDevices": "\u8bbe\u5907", "ValueConditions": "\u6761\u4ef6\uff1a {0}", - "HeaderPluginInstallation": "\u63d2\u4ef6\u5b89\u88c5", "LabelAll": "\u6240\u6709", - "MessageAlreadyInstalled": "\u6b64\u7248\u672c\u5df2\u5b89\u88c5\u5b8c\u6210\u3002", "HeaderDeleteImage": "\u5220\u9664\u56fe\u7247", - "ValueReviewCount": "{0} \u8bc4\u8bba", "MessageFileNotFound": "\u672a\u627e\u5230\u6587\u4ef6\u3002", - "MessageYouHaveVersionInstalled": "\u4f60\u76ee\u524d\u5b89\u88c5\u4e86 {0} \u7248\u672c\u3002", "MessageFileReadError": "\u8bfb\u53d6\u6587\u4ef6\u53d1\u751f\u9519\u8bef\u3002", - "MessageTrialExpired": "\u6b64\u529f\u80fd\u7684\u8bd5\u7528\u671f\u5df2\u7ed3\u675f", "ButtonNextPage": "\u4e0b\u4e00\u9875", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "\u6b64\u529f\u80fd\u7684\u8bd5\u7528\u671f\u8fd8\u5269 {0} \u5929", "ButtonPreviousPage": "\u524d\u4e00\u9875", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "\u8fd9\u4e2a\u63d2\u4ef6\u5fc5\u987b\u4ece\u4f60\u6253\u7b97\u4f7f\u7528\u7684\u5e94\u7528\u7a0b\u5e8f\u4e2d\u5b89\u88c5\u3002", - "OptionRuntime": "\u64ad\u653e\u65f6\u95f4", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "\u5de6\u79fb", - "ExternalPlayerPlaystateOptionsHelp": "\u6307\u5b9a\u60a8\u4e0b\u4e00\u6b21\u5e0c\u671b\u5982\u4f55\u6062\u590d\u64ad\u653e\u6b64\u89c6\u9891\u3002", - "ValuePriceUSD": "\u4ef7\u683c\uff1a {0} (\u7f8e\u5143)", - "OptionReleaseDate": "\u53d1\u5e03\u65e5\u671f", + "OptionReleaseDate": "Release date", "ButtonMoveRight": "\u53f3\u79fb", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "\u6d4f\u89c8\u5728\u7ebf\u56fe\u7247", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "\u5220\u9664\u9879\u76ee", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "\u8bf7\u8f93\u5165\u4e00\u4e2a\u540d\u79f0\u6216\u4e00\u4e2a\u5916\u90e8ID\u3002", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "\u8f93\u5165\u7684\u503c\u4e0d\u6b63\u786e\u3002\u8bf7\u91cd\u8bd5\u3002", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "\u9879\u76ee\u5df2\u4fdd\u5b58\u3002", - "HeaderWelcomeBack": "\u6b22\u8fce\u56de\u6765\uff01", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "\u7ed3\u675f", + "OptionContinuing": "\u7ee7\u7eed", + "OptionOff": "Off", + "OptionOn": "On", + "ButtonSettings": "\u8bbe\u7f6e", + "ButtonUninstall": "Uninstall", "HeaderFields": "\u533a\u57df", - "ButtonTakeTheTourToSeeWhatsNew": "\u8fdb\u884c\u53c2\u89c2\uff0c\u770b\u770b\u6709\u4ec0\u4e48\u65b0\u4e1c\u897f", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "\u6ed1\u52a8\u6b64\u533a\u57df\u81f3\u201c\u5173\u95ed\u201d\u4ee5\u9501\u4f4f\u6570\u636e\uff0c\u9632\u6b62\u6570\u636e\u88ab\u6539\u53d8\u3002", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "\u7535\u89c6\u76f4\u64ad", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "\u5728\u60a8\u7684PayPal\u8d26\u6237\u5185\u4efb\u4f55\u65f6\u5019\u90fd\u53ef\u4ee5\u53d6\u6d88\u7ecf\u5e38\u6027\u6350\u8d60\u3002", - "ButtonRevoke": "\u64a4\u9500", "MissingLocalTrailer": "\u7f3a\u5c11\u672c\u5730\u9884\u544a\u7247\u3002", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "\u66f4\u591a", "MissingPrimaryImage": "\u7f3a\u5c11\u5c01\u9762\u56fe\u3002", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "\u6700\u7231\u7684\u7535\u5f71", "MissingBackdropImage": "\u7f3a\u5c11\u80cc\u666f\u56fe\u3002", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "\u6700\u7231\u7684\u8282\u76ee", "MissingLogoImage": "\u7f3a\u5c11Logo\u56fe\u3002", - "ValueOneAlbum": "1\u5f20\u4e13\u8f91", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "\u6700\u7231\u7684\u5267\u96c6", "MissingEpisode": "\u7f3a\u5c11\u5267\u96c6\u3002", - "ValueAlbumCount": "{0} \u5f20\u4e13\u8f91", - "HeaderFavoriteGames": "\u6700\u7231\u7684\u6e38\u620f", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "\u622a\u5c4f", - "ValueOneSong": "1\u9996\u6b4c", - "HeaderRatingsDownloads": "\u8bc4\u5206\/\u4e0b\u8f7d", "OptionBackdrops": "\u80cc\u666f", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} \u9996\u6b4c", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "\u786e\u8ba4\u5220\u9664\u914d\u7f6e\u6587\u4ef6", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1\u4e2a\u97f3\u4e50\u89c6\u9891", - "MessageConfirmProfileDeletion": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u914d\u7f6e\u6587\u4ef6\uff1f", "OptionImages": "\u56fe\u7247", - "ValueMusicVideoCount": "{0} \u4e2a\u97f3\u4e50\u89c6\u9891", - "HeaderSelectServerCachePath": "\u9009\u62e9\u670d\u52a1\u5668\u7f13\u5b58\u8def\u5f84", "OptionKeywords": "\u5173\u952e\u8bcd", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "\u79bb\u7ebf", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "\u9009\u62e9\u4e34\u65f6\u89e3\u7801\u8def\u5f84", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "\u6807\u7b7e", - "HeaderUnaired": "\u672a\u64ad\u51fa", - "HeaderSelectImagesByNamePath": "\u9009\u62e9\u6309\u540d\u79f0\u5f52\u7c7b\u7684\u56fe\u7247\u8def\u5f84", "OptionStudios": "\u5de5\u4f5c\u5ba4", - "HeaderMissing": "\u7f3a\u5931", - "HeaderSelectMetadataPath": "\u9009\u62e9\u5a92\u4f53\u8d44\u6599\u8def\u5f84\uff1a", "OptionName": "\u540d\u5b57", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "\u7f51\u7ad9", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u670d\u52a1\u5668\u7f13\u5b58\u6587\u4ef6\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "SyncJobStatusQueued": "Queued", "OptionOverview": "\u6982\u8ff0", - "TooltipFavorite": "\u6211\u7684\u6700\u7231", - "HeaderSelectTranscodingPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4e34\u65f6\u8f6c\u7801\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "ButtonCancelItem": "\u53d6\u6d88\u9879\u76ee", "OptionGenres": "\u98ce\u683c", - "ButtonScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "\u559c\u6b22", - "HeaderSelectImagesByNamePathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u6309\u6587\u4ef6\u5939\u540d\u79f0\u5206\u7ec4\u7684\u9879\u76ee\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "\u5bb6\u957f\u5206\u7ea7", "OptionPeople": "\u6f14\u804c\u4eba\u5458", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "\u4e0d\u559c\u6b22", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4fdd\u5b58\u5a92\u4f53\u8d44\u6599\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "ButtonQueueForRetry": "\u91cd\u8bd5\u961f\u5217", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u64ad\u653e\u65f6\u95f4", "OptionProductionLocations": "\u4ea7\u5730", - "ButtonDonate": "\u6350\u8d60", - "TooltipPlayed": "\u5df2\u64ad\u653e", "OptionBirthLocation": "\u51fa\u751f\u5730", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "\u91cd\u65b0\u542f\u7528", + "LabelAllChannels": "\u6240\u6709\u9891\u9053", "LabelLiveProgram": "\u76f4\u64ad", - "ConfirmMessageScheduledTaskButton": "\u6b64\u64cd\u4f5c\u901a\u5e38\u662f\u901a\u8fc7\u8ba1\u5212\u4efb\u52a1\u81ea\u52a8\u8fd0\u884c\u3002\u5b83\u4e5f\u53ef\u624b\u52a8\u8fd0\u884c\u3002\u8981\u914d\u7f6e\u8ba1\u5212\u4efb\u52a1\uff0c\u8bf7\u53c2\u9605\uff1a", - "ValueAwards": "\u83b7\u5956\uff1a {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "\u65b0\u589e", - "ValueBudget": "\u6295\u8d44\u989d\uff1a {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "\u6807\u8bb0\u4e3a\u5220\u9664", "LabelPremiereProgram": "\u9996\u6620\u5f0f", - "ValueRevenue": "\u6536\u5165\uff1a {0}", + "LabelHDProgram": "HD\u9ad8\u6e05", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "\u8fd9\u91cc\u7684\u5168\u90e8\u5185\u5bb9\u90fd\u52a0\u5165\u961f\u5217", - "ValuePremiered": "\u9996\u6620 {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "\u8fd9\u91cc\u7684\u5168\u90e8\u5185\u5bb9\u90fd\u5f00\u59cb\u64ad\u653e", - "ValuePremieres": "\u9996\u6620 {0}", "HeaderAlert": "\u8b66\u62a5", - "LabelDynamicExternalId": "{0} Id\uff1a", - "ValueStudio": "\u5de5\u4f5c\u5ba4\uff1a {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "\u8bf7\u91cd\u542f\u670d\u52a1\u5668\u4ee5\u5b8c\u6210\u66f4\u65b0\u3002", - "HeaderIdentify": "\u8bc6\u522b\u9879", - "ValueStudios": "\u5de5\u4f5c\u5ba4\uff1a {0}", + "ButtonRestart": "\u91cd\u542f", "MessagePleaseRefreshPage": "\u8bf7\u5237\u65b0\u6b64\u9875\u9762\u4ee5\u4fbf\u4ece\u7f51\u7edc\u83b7\u53d6\u66f4\u65b0\u7a0b\u5e8f\u3002", - "PersonTypePerson": "\u4eba\u7269", - "LabelHDProgram": "HD\u9ad8\u6e05", - "ValueSpecialEpisodeName": "\u7279\u522b - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "\u4f60\u786e\u5b9a\u8981\u53d6\u6d88\u8fd9\u4e2a\u9879\u76ee\uff1f", "ButtonHide": "\u9690\u85cf", - "LabelTitleDisplayOrder": "\u6807\u9898\u663e\u793a\u7684\u987a\u5e8f\uff1a", - "ButtonViewSeriesRecording": "\u67e5\u770b\u7535\u89c6\u5267\u5f55\u50cf", "MessageSettingsSaved": "\u8bbe\u7f6e\u5df2\u4fdd\u5b58\u3002", - "OptionSortName": "\u6392\u5e8f\u540d\u79f0", - "ValueOriginalAirDate": "\u539f\u59cb\u64ad\u51fa\u65e5\u671f: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "\u767b\u51fa", - "ButtonOk": "\u786e\u5b9a", "ButtonMyProfile": "\u6211\u7684\u4e2a\u4eba\u914d\u7f6e", - "ButtonCancel": "\u53d6\u6d88", "ButtonMyPreferences": "\u6211\u7684\u504f\u597d", - "LabelDiscNumber": "\u5149\u76d8\u53f7", "MessageBrowserDoesNotSupportWebSockets": "\u6b64\u6d4f\u89c8\u5668\u4e0d\u652f\u6301web sockets\u3002\u4e3a\u4e86\u83b7\u5f97\u66f4\u597d\u7684\u4f53\u9a8c\uff0c\u8bf7\u5c1d\u8bd5\u4f7f\u7528\u65b0\u6d4f\u89c8\u5668\uff0c\u4f8b\u5982\uff1a Chrome, Firefox, IE10+, Safari (iOS) \u6216\u8005 Opera\u3002", - "LabelParentNumber": "\u6bcd\u5e26\u53f7", "LabelInstallingPackage": "\u6b63\u5728\u5b89\u88c5 {0}", - "TitleSync": "\u540c\u6b65", "LabelPackageInstallCompleted": "{0} \u5b89\u88c5\u5b8c\u6210\u3002", - "LabelTrackNumber": "\u97f3\u8f68\u53f7\u7801\uff1a", "LabelPackageInstallFailed": "{0} \u5b89\u88c5\u5931\u8d25\u3002", - "LabelNumber": "\u7f16\u53f7\uff1a", "LabelPackageInstallCancelled": "{0} \u5b89\u88c5\u88ab\u53d6\u6d88\u3002", - "LabelReleaseDate": "\u53d1\u884c\u65e5\u671f\uff1a", + "TabServer": "\u670d\u52a1\u5668", "TabUsers": "\u7528\u6237", - "LabelEndDate": "\u7ed3\u675f\u65e5\u671f\uff1a", "TabLibrary": "\u5a92\u4f53\u5e93", - "LabelYear": "\u5e74\uff1a", + "TabMetadata": "\u5a92\u4f53\u8d44\u6599", "TabDLNA": "DLNA", - "LabelDateOfBirth": "\u51fa\u751f\u65e5\u671f\uff1a", "TabLiveTV": "\u7535\u89c6\u76f4\u64ad", - "LabelBirthYear": "\u51fa\u751f\u5e74\u4efd\uff1a", "TabAutoOrganize": "\u81ea\u52a8\u6574\u7406", - "LabelDeathDate": "\u53bb\u4e16\u65e5\u671f\uff1a", "TabPlugins": "\u63d2\u4ef6", - "HeaderRemoveMediaLocation": "\u79fb\u9664\u5a92\u4f53\u4f4d\u7f6e", - "HeaderDeviceAccess": "\u8bbe\u5907\u8bbf\u95ee", + "TabAdvanced": "\u9ad8\u7ea7", "TabHelp": "\u5e2e\u52a9", - "MessageConfirmRemoveMediaLocation": "\u4f60\u786e\u5b9a\u8981\u79fb\u9664\u6b64\u4f4d\u7f6e\uff1f", - "HeaderSelectDevices": "\u9009\u62e9\u8bbe\u5907", "TabScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", - "HeaderRenameMediaFolder": "\u91cd\u547d\u540d\u5a92\u4f53\u6587\u4ef6\u5939", - "LabelNewName": "\u65b0\u540d\u5b57\uff1a", - "HeaderLatestFromChannel": "\u6700\u65b0\u7684 {0}", - "HeaderAddMediaFolder": "\u6dfb\u52a0\u5a92\u4f53\u6587\u4ef6\u5939", - "ButtonQuality": "\u8d28\u91cf", - "HeaderAddMediaFolderHelp": "\u540d\u79f0 (\u7535\u5f71, \u97f3\u4e50, \u7535\u89c6...\u7b49\u7b49)\uff1a", "ButtonFullscreen": "\u5168\u5c4f", - "HeaderRemoveMediaFolder": "\u79fb\u9664\u5a92\u4f53\u6587\u4ef6\u5939", - "ButtonScenes": "\u573a\u666f", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u4ee5\u4e0b\u5a92\u4f53\u4f4d\u7f6e\u5c06\u4ece\u60a8\u7684\u5a92\u4f53\u5e93\u4e2d\u79fb\u9664\uff1a", - "ErrorLaunchingChromecast": "\u542f\u52a8chromecast\u9047\u5230\u9519\u8bef\uff0c\u8bf7\u786e\u8ba4\u8bbe\u5907\u5df2\u7ecf\u8fde\u63a5\u5230\u4f60\u7684\u65e0\u7ebf\u7f51\u7edc\u3002", - "ButtonSubtitles": "\u5b57\u5e55", - "MessageAreYouSureYouWishToRemoveMediaFolder": "\u4f60\u786e\u5b9a\u5e0c\u671b\u79fb\u9664\u6b64\u5a92\u4f53\u6587\u4ef6\u5939\uff1f", - "MessagePleaseSelectOneItem": "\u8bf7\u81f3\u5c11\u9009\u62e9\u4e00\u4e2a\u9879\u76ee\u3002", "ButtonAudioTracks": "\u97f3\u8f68", - "ButtonRename": "\u91cd\u547d\u540d", - "MessagePleaseSelectTwoItems": "\u8bf7\u81f3\u5c11\u9009\u62e92\u4e2a\u9879\u76ee\u3002", - "ButtonPreviousTrack": "\u4e0a\u4e00\u97f3\u8f68", - "ButtonChangeType": "\u53d8\u66f4\u683c\u5f0f", - "HeaderSelectChannelDownloadPath": "\u9009\u62e9\u9891\u9053\u4e0b\u8f7d\u8def\u5f84", - "ButtonNextTrack": "\u4e0b\u4e00\u97f3\u8f68", - "HeaderMediaLocations": "\u5a92\u4f53\u4f4d\u7f6e", - "HeaderSelectChannelDownloadPathHelp": "\u6d4f\u89c8\u6216\u8f93\u5165\u4e00\u4e2a\u8def\u5f84\u7528\u4e8e\u4fdd\u5b58\u9891\u9053\u7f13\u5b58\u6587\u4ef6\uff0c\u6b64\u6587\u4ef6\u5939\u5fc5\u987b\u53ef\u5199\u3002", - "ButtonStop": "\u505c\u6b62", - "OptionNewCollection": "\u66f4\u65b0...", - "ButtonPause": "\u6682\u505c", - "TabMovies": "\u7535\u5f71", - "LabelPathSubstitutionHelp": "\u53ef\u9009\uff1a\u66ff\u4ee3\u8def\u5f84\u80fd\u628a\u670d\u52a1\u5668\u8def\u5f84\u6620\u5c04\u5230\u7f51\u7edc\u5171\u4eab\uff0c\u4ece\u800c\u4f7f\u5ba2\u6237\u7aef\u53ef\u4ee5\u76f4\u63a5\u64ad\u653e\u3002", - "TabTrailers": "\u9884\u544a\u7247", - "FolderTypeMovies": "\u7535\u5f71", - "LabelCollection": "\u5408\u96c6", - "FolderTypeMusic": "\u97f3\u4e50", - "FolderTypeAdultVideos": "\u6210\u4eba\u89c6\u9891", - "HeaderAddToCollection": "\u52a0\u5165\u5408\u96c6", - "FolderTypePhotos": "\u56fe\u7247", - "ButtonSubmit": "\u63d0\u4ea4", - "FolderTypeMusicVideos": "\u97f3\u4e50\u89c6\u9891", - "SettingsSaved": "\u8bbe\u7f6e\u5df2\u4fdd\u5b58", - "OptionParentalRating": "\u5bb6\u957f\u5206\u7ea7", - "FolderTypeHomeVideos": "\u5bb6\u5ead\u89c6\u9891", - "AddUser": "\u6dfb\u52a0\u7528\u6237", - "HeaderMenu": "\u83dc\u5355", - "FolderTypeGames": "\u6e38\u620f", - "Users": "\u7528\u6237", - "ButtonRefresh": "\u5237\u65b0", - "PinCodeResetComplete": "PIN\u7801\u5df2\u88ab\u200b\u200b\u91cd\u7f6e\u3002", - "ButtonOpen": "\u6253\u5f00", - "FolderTypeBooks": "\u4e66\u7c4d", - "Delete": "\u5220\u9664", - "LabelCurrentPath": "\u5f53\u524d\u8def\u5f84\uff1a", - "TabAdvanced": "\u9ad8\u7ea7", - "ButtonOpenInNewTab": "\u5728\u65b0\u7a97\u53e3\u4e2d\u6253\u5f00", - "FolderTypeTvShows": "\u7535\u89c6", - "Administrator": "\u7ba1\u7406\u5458", - "HeaderSelectMediaPath": "\u9009\u62e9\u5a92\u4f53\u8def\u5f84", - "PinCodeResetConfirmation": "\u4f60\u786e\u5b9a\u8981\u91cd\u7f6ePIN\u7801\uff1f", - "ButtonShuffle": "\u6401\u7f6e", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "\u51fa\u751f\u5730: {0}", - "Password": "\u5bc6\u7801", - "ButtonNetwork": "\u7f51\u7edc", - "OptionContinuing": "\u7ee7\u7eed", - "ButtonInstantMix": "\u5373\u65f6\u6df7\u97f3", - "DeathDateValue": "\u53bb\u4e16\uff1a {0}", - "MessageDirectoryPickerInstruction": "\u7f51\u7edc\u6309\u94ae\u65e0\u6cd5\u627e\u5230\u60a8\u7684\u8bbe\u5907\u7684\u60c5\u51b5\u4e0b\uff0c\u7f51\u7edc\u8def\u5f84\u53ef\u4ee5\u624b\u52a8\u8f93\u5165\u3002 \u4f8b\u5982\uff0c {0} \u6216\u8005 {1}\u3002", - "HeaderPinCodeReset": "\u91cd\u7f6ePIN\u7801", - "OptionEnded": "\u7ed3\u675f", - "ButtonResume": "\u6062\u590d\u64ad\u653e", + "ButtonSubtitles": "\u5b57\u5e55", + "ButtonScenes": "\u573a\u666f", + "ButtonQuality": "\u8d28\u91cf", + "HeaderNotifications": "\u901a\u77e5", + "HeaderSelectPlayer": "\u9009\u62e9\u64ad\u653e\u5668\uff1a", + "ButtonSelect": "\u9009\u62e9", + "ButtonNew": "\u65b0\u589e", + "MessageInternetExplorerWebm": "\u4e3a\u5728IE\u6d4f\u89c8\u5668\u4e0a\u8fbe\u5230\u6700\u597d\u7684\u6548\u679c\uff0c\u8bf7\u5b89\u88c5WebM\u64ad\u653e\u63d2\u4ef6\u3002", + "HeaderVideoError": "\u89c6\u9891\u9519\u8bef", "ButtonAddToPlaylist": "\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868", - "BirthDateValue": "\u51fa\u751f\uff1a {0}", - "ButtonMoreItems": "\u66f4\u591a...", - "DeleteImage": "\u5220\u9664\u56fe\u50cf", "HeaderAddToPlaylist": "\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868", - "LabelSelectCollection": "\u9009\u62e9\u5408\u96c6\uff1a", - "MessageNoSyncJobsFound": "\u6ca1\u6709\u53d1\u73b0\u540c\u6b65\u4f5c\u4e1a\u3002\u4f7f\u7528Web\u754c\u9762\u4e2d\u7684\u540c\u6b65\u6309\u94ae\u6765\u521b\u5efa\u540c\u6b65\u4f5c\u4e1a\u3002", - "ButtonRemoveFromPlaylist": "\u4ece\u64ad\u653e\u5217\u8868\u4e2d\u79fb\u9664", - "DeleteImageConfirmation": "\u4f60\u786e\u5b9a\u8981\u5220\u9664\u6b64\u56fe\u50cf\uff1f", - "HeaderLoginFailure": "\u767b\u5f55\u5931\u8d25", - "OptionSunday": "\u661f\u671f\u5929", + "LabelName": "\u540d\u5b57\uff1a", + "ButtonSubmit": "\u63d0\u4ea4", "LabelSelectPlaylist": "\u64ad\u653e\u5217\u8868\uff1a", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "\u6587\u4ef6\u8bfb\u53d6\u5df2\u88ab\u53d6\u6d88\u3002", - "OptionMonday": "\u661f\u671f\u4e00", "OptionNewPlaylist": "\u65b0\u5efa\u64ad\u653e\u5217\u8868...", - "FileNotFound": "\u672a\u627e\u5230\u6587\u4ef6\u3002", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u661f\u671f\u4e8c", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "\u8bfb\u53d6\u6587\u4ef6\u53d1\u751f\u9519\u8bef\u3002", - "HeaderName": "\u540d\u5b57", - "OptionWednesday": "\u661f\u671f\u4e09", + "ButtonView": "\u89c6\u56fe", + "ButtonViewSeriesRecording": "\u67e5\u770b\u7535\u89c6\u5267\u5f55\u50cf", + "ValueOriginalAirDate": "\u539f\u59cb\u64ad\u51fa\u65e5\u671f: {0}", + "ButtonRemoveFromPlaylist": "\u4ece\u64ad\u653e\u5217\u8868\u4e2d\u79fb\u9664", + "HeaderSpecials": "\u7279\u96c6", + "HeaderTrailers": "\u9884\u544a\u7247", + "HeaderAudio": "\u97f3\u9891", + "HeaderResolution": "\u5206\u8fa8\u7387", + "HeaderVideo": "\u89c6\u9891", + "HeaderRuntime": "\u64ad\u653e\u65f6\u95f4", + "HeaderCommunityRating": "\u516c\u4f17\u8bc4\u5206", + "HeaderPasswordReset": "\u5bc6\u7801\u91cd\u7f6e", + "HeaderParentalRating": "\u5bb6\u957f\u5206\u7ea7", + "HeaderReleaseDate": "\u53d1\u884c\u65e5\u671f", + "HeaderDateAdded": "\u52a0\u5165\u65e5\u671f", + "HeaderSeries": "\u7535\u89c6\u5267", + "HeaderSeason": "\u5b63", + "HeaderSeasonNumber": "\u591a\u5c11\u5b63", + "HeaderNetwork": "\u7f51\u7edc", + "HeaderYear": "\u5e74", + "HeaderGameSystem": "\u6e38\u620f\u7cfb\u7edf", + "HeaderPlayers": "\u64ad\u653e\u5668", + "HeaderEmbeddedImage": "\u5d4c\u5165\u5f0f\u56fe\u50cf", + "HeaderTrack": "\u97f3\u8f68", + "HeaderDisc": "\u5149\u76d8", + "OptionMovies": "\u7535\u5f71", "OptionCollections": "\u5408\u96c6", - "DeleteUser": "\u5220\u9664\u7528\u6237", - "OptionThursday": "\u661f\u671f\u56db", "OptionSeries": "\u7535\u89c6\u5267", - "DeleteUserConfirmation": "\u4f60\u786e\u5b9a\u8981\u5220\u9664\u6b64\u7528\u6237\uff1f", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "\u661f\u671f\u4e94", "OptionSeasons": "\u5b63", - "PasswordResetHeader": "\u5bc6\u7801\u91cd\u7f6e", - "OptionSaturday": "\u661f\u671f\u516d", + "OptionEpisodes": "\u5267\u96c6", "OptionGames": "\u6e38\u620f", - "PasswordResetComplete": "\u5bc6\u7801\u5df2\u91cd\u7f6e", - "HeaderSpecials": "\u7279\u96c6", "OptionGameSystems": "\u6e38\u620f\u7cfb\u7edf", - "PasswordResetConfirmation": "\u4f60\u786e\u5b9a\u8981\u91cd\u7f6e\u5bc6\u7801\uff1f", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "\u9884\u544a\u7247", "OptionMusicArtists": "\u97f3\u4e50\u827a\u672f\u5bb6", - "PasswordSaved": "\u5bc6\u7801\u5df2\u4fdd\u5b58\u3002", - "HeaderAudio": "\u97f3\u9891", "OptionMusicAlbums": "\u97f3\u4e50\u4e13\u8f91", - "PasswordMatchError": "\u5bc6\u7801\u548c\u786e\u8ba4\u5bc6\u7801\u5fc5\u987b\u5339\u914d\u3002", - "HeaderResolution": "\u5206\u8fa8\u7387", - "LabelFailed": "(\u5931\u8d25)", "OptionMusicVideos": "\u97f3\u4e50\u89c6\u9891", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "\u89c6\u9891", - "ButtonSelect": "\u9009\u62e9", - "LabelVersionNumber": "\u7248\u672c {0}", "OptionSongs": "\u6b4c\u66f2", - "HeaderRuntime": "\u64ad\u653e\u65f6\u95f4", - "LabelPlayMethodTranscoding": "\u8f6c\u7801", "OptionHomeVideos": "\u5bb6\u5ead\u89c6\u9891", - "ButtonSave": "\u50a8\u5b58", - "HeaderCommunityRating": "\u516c\u4f17\u8bc4\u5206", - "LabelSeries": "\u7535\u89c6\u5267", - "LabelPlayMethodDirectStream": "\u76f4\u63a5\u7528\u5a92\u4f53\u6d41", "OptionBooks": "\u4e66\u7c4d", - "HeaderParentalRating": "\u5bb6\u957f\u5206\u7ea7", - "LabelSeasonNumber": "\u591a\u5c11\u5b63\uff1a", - "HeaderChannels": "\u9891\u9053", - "LabelPlayMethodDirectPlay": "\u76f4\u63a5\u64ad\u653e", "OptionAdultVideos": "\u6210\u4eba\u89c6\u9891", - "ButtonDownload": "\u4e0b\u8f7d", - "HeaderReleaseDate": "\u53d1\u884c\u65e5\u671f", - "LabelEpisodeNumber": "\u591a\u5c11\u96c6\uff1a", - "LabelAudioCodec": "\u97f3\u9891\uff1a {0}", "ButtonUp": "\u4e0a", - "LabelUnknownLanaguage": "\u672a\u77e5\u8bed\u8a00", - "HeaderDateAdded": "\u52a0\u5165\u65e5\u671f", - "LabelVideoCodec": "\u89c6\u9891\uff1a{0}", "ButtonDown": "\u4e0b", - "HeaderCurrentSubtitles": "\u5f53\u524d\u5b57\u5e55", - "ButtonPlayExternalPlayer": "\u4f7f\u7528\u5916\u90e8\u64ad\u653e\u5668\u64ad\u653e", - "HeaderSeries": "\u7535\u89c6\u5267", - "TabServer": "\u670d\u52a1\u5668", - "TabSeries": "\u7535\u89c6\u5267", - "LabelRemoteAccessUrl": "\u8fdc\u7a0b\u8bbf\u95ee\uff1a{0}", "LabelMetadataReaders": "\u5a92\u4f53\u8d44\u6599\u8bfb\u53d6\u5668\uff1a", - "MessageDownloadQueued": "\u4e0b\u8f7d\u5df2\u52a0\u5165\u961f\u5217\u3002", - "HeaderSelectExternalPlayer": "\u9009\u62e9\u5916\u90e8\u64ad\u653e\u5668", - "HeaderSeason": "\u5b63", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "\u6b63\u8fd0\u884c\u4e8eHTTP\u7aef\u53e3 {0}.", "LabelMetadataReadersHelp": "\u4e3a\u60a8\u9996\u9009\u7684\u672c\u5730\u5a92\u4f53\u8d44\u6599\u6e90\u6309\u4f18\u5148\u7ea7\u6392\u5e8f\u3002\u627e\u5230\u7684\u7b2c\u4e00\u4e2a\u6587\u4ef6\u5c06\u88ab\u8bfb\u53d6\u3002", - "MessageAreYouSureDeleteSubtitles": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u5b57\u5e55\u6587\u4ef6\uff1f", - "HeaderExternalPlayerPlayback": "\u5916\u90e8\u64ad\u653e\u5668\u64ad\u653e", - "HeaderSeasonNumber": "\u591a\u5c11\u5b63", - "LabelRunningOnPorts": "\u6b63\u8fd0\u884c\u4e8eHTTP\u7aef\u53e3 {0}\uff0c\u548c https\u7aef\u53e3{1}.", "LabelMetadataDownloaders": "\u5a92\u4f53\u8d44\u6599\u4e0b\u8f7d\u5668\uff1a", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "\u7f51\u7edc", "LabelMetadataDownloadersHelp": "\u542f\u7528\u5a92\u4f53\u8d44\u6599\u4e0b\u8f7d\u5668\u7684\u4f18\u5148\u7ea7\u6392\u5e8f\uff0c\u4f4e\u4f18\u5148\u7ea7\u7684\u4e0b\u8f7d\u5668\u53ea\u4f1a\u7528\u6765\u586b\u8865\u7f3a\u5c11\u7684\u4fe1\u606f\u3002", - "HeaderLatestMedia": "\u6700\u65b0\u5a92\u4f53", - "HeaderYear": "\u5e74", "LabelMetadataSavers": "\u5a92\u4f53\u8d44\u6599\u50a8\u5b58\u65b9\u5f0f\uff1a", - "HeaderGameSystem": "\u6e38\u620f\u7cfb\u7edf", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "\u9009\u62e9\u50a8\u5b58\u5a92\u4f53\u8d44\u6599\u7684\u6587\u4ef6\u683c\u5f0f\u3002", - "HeaderPlayers": "\u64ad\u653e\u5668", "LabelImageFetchers": "\u56fe\u7247\u83b7\u53d6\u7a0b\u5e8f\uff1a", - "HeaderEmbeddedImage": "\u5d4c\u5165\u5f0f\u56fe\u50cf", - "ButtonNew": "\u65b0\u589e", "LabelImageFetchersHelp": "\u542f\u7528\u60a8\u9996\u9009\u7684\u56fe\u7247\u83b7\u53d6\u7a0b\u5e8f\u7684\u4f18\u5148\u7ea7\u6392\u5e8f\u3002", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "\u97f3\u8f68", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "\u5a92\u4f53\u8d44\u6599", - "HeaderDisc": "\u5149\u76d8", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u540d\u5b57\uff1a", - "LabelAddedOnDate": "\u6dfb\u52a0 {0}", - "ButtonRemove": "\u79fb\u9664", - "ButtonStart": "\u5f00\u59cb", + "ButtonQueueAllFromHere": "\u8fd9\u91cc\u7684\u5168\u90e8\u5185\u5bb9\u90fd\u52a0\u5165\u961f\u5217", + "ButtonPlayAllFromHere": "\u8fd9\u91cc\u7684\u5168\u90e8\u5185\u5bb9\u90fd\u5f00\u59cb\u64ad\u653e", + "LabelDynamicExternalId": "{0} Id\uff1a", + "HeaderIdentify": "\u8bc6\u522b\u9879", + "PersonTypePerson": "\u4eba\u7269", + "LabelTitleDisplayOrder": "\u6807\u9898\u663e\u793a\u7684\u987a\u5e8f\uff1a", + "OptionSortName": "\u6392\u5e8f\u540d\u79f0", + "LabelDiscNumber": "\u5149\u76d8\u53f7", + "LabelParentNumber": "\u6bcd\u5e26\u53f7", + "LabelTrackNumber": "\u97f3\u8f68\u53f7\u7801\uff1a", + "LabelNumber": "\u7f16\u53f7\uff1a", + "LabelReleaseDate": "\u53d1\u884c\u65e5\u671f\uff1a", + "LabelEndDate": "\u7ed3\u675f\u65e5\u671f\uff1a", + "LabelYear": "\u5e74\uff1a", + "LabelDateOfBirth": "\u51fa\u751f\u65e5\u671f\uff1a", + "LabelBirthYear": "\u51fa\u751f\u5e74\u4efd\uff1a", + "LabelBirthDate": "Birth date:", + "LabelDeathDate": "\u53bb\u4e16\u65e5\u671f\uff1a", + "HeaderRemoveMediaLocation": "\u79fb\u9664\u5a92\u4f53\u4f4d\u7f6e", + "MessageConfirmRemoveMediaLocation": "\u4f60\u786e\u5b9a\u8981\u79fb\u9664\u6b64\u4f4d\u7f6e\uff1f", + "HeaderRenameMediaFolder": "\u91cd\u547d\u540d\u5a92\u4f53\u6587\u4ef6\u5939", + "LabelNewName": "\u65b0\u540d\u5b57\uff1a", + "HeaderAddMediaFolder": "\u6dfb\u52a0\u5a92\u4f53\u6587\u4ef6\u5939", + "HeaderAddMediaFolderHelp": "\u540d\u79f0 (\u7535\u5f71, \u97f3\u4e50, \u7535\u89c6...\u7b49\u7b49)\uff1a", + "HeaderRemoveMediaFolder": "\u79fb\u9664\u5a92\u4f53\u6587\u4ef6\u5939", + "MessageTheFollowingLocationWillBeRemovedFromLibrary": "\u4ee5\u4e0b\u5a92\u4f53\u4f4d\u7f6e\u5c06\u4ece\u60a8\u7684\u5a92\u4f53\u5e93\u4e2d\u79fb\u9664\uff1a", + "MessageAreYouSureYouWishToRemoveMediaFolder": "\u4f60\u786e\u5b9a\u5e0c\u671b\u79fb\u9664\u6b64\u5a92\u4f53\u6587\u4ef6\u5939\uff1f", + "ButtonRename": "\u91cd\u547d\u540d", + "ButtonChangeType": "\u53d8\u66f4\u683c\u5f0f", + "HeaderMediaLocations": "\u5a92\u4f53\u4f4d\u7f6e", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "\u53ef\u9009\uff1a\u66ff\u4ee3\u8def\u5f84\u80fd\u628a\u670d\u52a1\u5668\u8def\u5f84\u6620\u5c04\u5230\u7f51\u7edc\u5171\u4eab\uff0c\u4ece\u800c\u4f7f\u5ba2\u6237\u7aef\u53ef\u4ee5\u76f4\u63a5\u64ad\u653e\u3002", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "\u7535\u5f71", + "FolderTypeMusic": "\u97f3\u4e50", + "FolderTypeAdultVideos": "\u6210\u4eba\u89c6\u9891", + "FolderTypePhotos": "\u56fe\u7247", + "FolderTypeMusicVideos": "\u97f3\u4e50\u89c6\u9891", + "FolderTypeHomeVideos": "\u5bb6\u5ead\u89c6\u9891", + "FolderTypeGames": "\u6e38\u620f", + "FolderTypeBooks": "\u4e66\u7c4d", + "FolderTypeTvShows": "\u7535\u89c6", + "TabMovies": "\u7535\u5f71", + "TabSeries": "\u7535\u89c6\u5267", + "TabEpisodes": "\u5267\u96c6", + "TabTrailers": "\u9884\u544a\u7247", + "TabGames": "\u6e38\u620f", + "TabAlbums": "\u4e13\u8f91", + "TabSongs": "\u6b4c\u66f2", + "TabMusicVideos": "\u97f3\u4e50\u89c6\u9891", + "BirthPlaceValue": "\u51fa\u751f\u5730: {0}", + "DeathDateValue": "\u53bb\u4e16\uff1a {0}", + "BirthDateValue": "\u51fa\u751f\uff1a {0}", + "HeaderLatestReviews": "\u6700\u65b0\u8bc4\u8bba", + "HeaderPluginInstallation": "\u63d2\u4ef6\u5b89\u88c5", + "MessageAlreadyInstalled": "\u6b64\u7248\u672c\u5df2\u5b89\u88c5\u5b8c\u6210\u3002", + "ValueReviewCount": "{0} \u8bc4\u8bba", + "MessageYouHaveVersionInstalled": "\u4f60\u76ee\u524d\u5b89\u88c5\u4e86 {0} \u7248\u672c\u3002", + "MessageTrialExpired": "\u6b64\u529f\u80fd\u7684\u8bd5\u7528\u671f\u5df2\u7ed3\u675f", + "MessageTrialWillExpireIn": "\u6b64\u529f\u80fd\u7684\u8bd5\u7528\u671f\u8fd8\u5269 {0} \u5929", + "MessageInstallPluginFromApp": "\u8fd9\u4e2a\u63d2\u4ef6\u5fc5\u987b\u4ece\u4f60\u6253\u7b97\u4f7f\u7528\u7684\u5e94\u7528\u7a0b\u5e8f\u4e2d\u5b89\u88c5\u3002", + "ValuePriceUSD": "\u4ef7\u683c\uff1a {0} (\u7f8e\u5143)", + "MessageFeatureIncludedWithSupporter": "\u60a8\u6ce8\u518c\u4e86\u8be5\u529f\u80fd\uff0c\u6fc0\u6d3b\u7684\u652f\u6301\u8005\u4f1a\u5458\u80fd\u591f\u4e00\u76f4\u4f7f\u7528\u5b83\u3002", + "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", + "MessageSupporterMembershipExpiredOn": "\u652f\u6301\u8005\u4f1a\u5458\u5230\u671f\u65e5{0}\u3002", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "\u60a8\u662f\u6fc0\u6d3b\u7684{0}\u4f1a\u5458\u3002\u60a8\u53ef\u4ee5\u4f7f\u7528\u4e0b\u9762\u7684\u9009\u9879\u5347\u7ea7\u60a8\u7684\u8ba1\u5212\u3002", + "ButtonDelete": "\u5220\u9664", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "\u672c\u5730\u8bbf\u95ee\uff1a {0}", - "OptionBlockOthers": "\u5176\u4ed6", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "\u7535\u89c6\u8282\u76ee", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "\u9884\u544a\u7247", - "OptionBlockMusic": "\u97f3\u4e50", - "OptionBlockMovies": "\u7535\u5f71", - "HeaderAllRecordings": "\u6240\u6709\u5f55\u5236\u7684\u8282\u76ee", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "\u4e66\u7c4d", - "ButtonPlay": "\u64ad\u653e", - "OptionBlockGames": "\u6e38\u620f", - "MessageKeyEmailedTo": "\u5e8f\u53f7\u901a\u8fc7\u7535\u5b50\u90ae\u4ef6\u53d1\u9001\u7ed9 {0}.", - "TabGames": "\u6e38\u620f", - "ButtonEdit": "\u7f16\u8f91", - "OptionBlockLiveTvPrograms": "\u7535\u89c6\u76f4\u64ad\u7a0b\u5e8f", - "MessageKeysLinked": "\u5e8f\u53f7\u5df2\u5173\u8054", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "\u7535\u89c6\u76f4\u64ad\u9891\u9053", - "HeaderConfirmation": "\u786e\u8ba4", - "ButtonDelete": "\u5220\u9664", - "OptionBlockChannelContent": "\u4e92\u8054\u7f51\u9891\u9053\u5185\u5bb9", - "MessageKeyUpdated": "\u8c22\u8c22\u3002\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5df2\u66f4\u65b0\u3002", - "MessageKeyRemoved": "\u8c22\u8c22\u3002\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5df2\u79fb\u9664\u3002", - "OptionMovies": "\u7535\u5f71", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "\u641c\u7d22", - "OptionEpisodes": "\u5267\u96c6", - "LabelArtist": "\u827a\u672f\u5bb6", - "LabelMovie": "\u7535\u5f71", - "HeaderPasswordReset": "\u5bc6\u7801\u91cd\u7f6e", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "\u97f3\u4e50\u89c6\u9891", - "LabelEpisode": "\u5267\u96c6", - "LabelAbortedByServerShutdown": "(\u56e0\u4e3a\u670d\u52a1\u5668\u5173\u95ed\u88ab\u4e2d\u6b62)", - "HeaderConfirmSeriesCancellation": "\u786e\u8ba4\u7535\u89c6\u5267\u53d6\u6d88", - "LabelStopping": "\u505c\u6b62", - "MessageConfirmSeriesCancellation": "\u4f60\u786e\u5b9a\u5e0c\u671b\u53d6\u6d88\u6b64\u7535\u89c6\u5267\uff1f", - "LabelCancelled": "(\u5df2\u53d6\u6d88)", - "MessageSeriesCancelled": "\u7535\u89c6\u5267\u5df2\u53d6\u6d88", - "HeaderConfirmDeletion": "\u786e\u8ba4\u5220\u9664", - "MessageConfirmPathSubstitutionDeletion": "\u4f60\u786e\u5b9a\u5e0c\u671b\u5220\u9664\u6b64\u8def\u5f84\u66ff\u4ee3\uff1f", - "LabelScheduledTaskLastRan": "\u6700\u540e\u8fd0\u884c {0}, \u82b1\u8d39\u65f6\u95f4 {1}.", - "LiveTvUpdateAvailable": "(\u66f4\u65b0\u53ef\u7528)", - "TitleLiveTV": "\u7535\u89c6\u76f4\u64ad", - "HeaderDeleteTaskTrigger": "\u5220\u9664\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6", - "LabelVersionUpToDate": "\u6700\u65b0\uff01", - "ButtonTakeTheTour": "\u8fdb\u884c\u53c2\u89c2", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "\u60c5\u8282\u5173\u952e\u5b57", - "HeaderTags": "\u6807\u7b7e", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "\u8bbe\u5907", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "\u9ad8\u7ea7", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderUnrated": "Unrated", + "ValueDiscNumber": "Disc {0}", + "HeaderUnknownDate": "Unknown Date", + "HeaderUnknownYear": "Unknown Year", + "ValueMinutes": "{0} min", + "ButtonPlayExternalPlayer": "\u4f7f\u7528\u5916\u90e8\u64ad\u653e\u5668\u64ad\u653e", + "HeaderSelectExternalPlayer": "\u9009\u62e9\u5916\u90e8\u64ad\u653e\u5668", + "HeaderExternalPlayerPlayback": "\u5916\u90e8\u64ad\u653e\u5668\u64ad\u653e", + "ButtonImDone": "I'm Done", + "OptionWatched": "Watched", + "OptionUnwatched": "Unwatched", + "ExternalPlayerPlaystateOptionsHelp": "\u6307\u5b9a\u60a8\u4e0b\u4e00\u6b21\u5e0c\u671b\u5982\u4f55\u6062\u590d\u64ad\u653e\u6b64\u89c6\u9891\u3002", + "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\u5f20\u4e13\u8f91", + "ValueAlbumCount": "{0} \u5f20\u4e13\u8f91", + "ValueOneSong": "1\u9996\u6b4c", + "ValueSongCount": "{0} \u9996\u6b4c", + "ValueOneMusicVideo": "1\u4e2a\u97f3\u4e50\u89c6\u9891", + "ValueMusicVideoCount": "{0} \u4e2a\u97f3\u4e50\u89c6\u9891", + "HeaderOffline": "\u79bb\u7ebf", + "HeaderUnaired": "\u672a\u64ad\u51fa", + "HeaderMissing": "\u7f3a\u5931", + "ButtonWebsite": "\u7f51\u7ad9", + "TooltipFavorite": "\u6211\u7684\u6700\u7231", + "TooltipLike": "\u559c\u6b22", + "TooltipDislike": "\u4e0d\u559c\u6b22", + "TooltipPlayed": "\u5df2\u64ad\u653e", + "ValueSeriesYearToPresent": "{0}-Present", + "ValueAwards": "\u83b7\u5956\uff1a {0}", + "ValueBudget": "\u6295\u8d44\u989d\uff1a {0}", + "ValueRevenue": "\u6536\u5165\uff1a {0}", + "ValuePremiered": "\u9996\u6620 {0}", + "ValuePremieres": "\u9996\u6620 {0}", + "ValueStudio": "\u5de5\u4f5c\u5ba4\uff1a {0}", + "ValueStudios": "\u5de5\u4f5c\u5ba4\uff1a {0}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "\u7279\u522b - {0}", + "LabelLimit": "\u9650\u5236\uff1a", + "ValueLinks": "\u94fe\u63a5\uff1a {0}", + "HeaderPeople": "\u4eba\u7269", "HeaderCastAndCrew": "\u6f14\u5458\u8868", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "\u827a\u672f\u5bb6\uff1a {0}", "ValueArtists": "\u827a\u672f\u5bb6\uff1a {0}", + "HeaderTags": "\u6807\u7b7e", "MediaInfoCameraMake": "\u76f8\u673a\u5236\u9020\u5546", "MediaInfoCameraModel": "\u76f8\u673a\u578b\u53f7", "MediaInfoAltitude": "\u9ad8\u5ea6", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "\u7ecf\u5ea6", "MediaInfoShutterSpeed": "\u5feb\u95e8\u901f\u5ea6", "MediaInfoSoftware": "\u8f6f\u4ef6", - "TabNotifications": "\u901a\u77e5", "HeaderIfYouLikeCheckTheseOut": "\u5982\u679c\u4f60\u559c\u6b22{0}\uff0c\u67e5\u770b\u8fd9\u4e9b\u2026", + "HeaderPlotKeywords": "\u60c5\u8282\u5173\u952e\u5b57", "HeaderMovies": "\u7535\u5f71", "HeaderAlbums": "\u4e13\u8f91", "HeaderGames": "\u6e38\u620f", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "\u4e66\u7c4d", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "\u5267\u96c6", "HeaderSeasons": "\u5b63", "HeaderTracks": "\u97f3\u8f68", "HeaderItems": "\u9879\u76ee", @@ -653,153 +632,178 @@ "ButtonFullReview": "\u5168\u9762\u56de\u987e", "ValueAsRole": "\u626e\u6f14 {0}", "ValueGuestStar": "\u7279\u9080\u660e\u661f", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "\u540c\u6b65", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "\u64ad\u653e", + "TabNotifications": "\u901a\u77e5", + "TabExpert": "Expert", + "HeaderSelectCustomIntrosPath": "\u9009\u62e9\u81ea\u5b9a\u4e49\u4ecb\u7ecd\u8def\u5f84", + "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": "\u67e5\u770b\u60a8\u6700\u8fd1\u6dfb\u52a0\u7684\u5a92\u4f53\uff0c\u4e0b\u4e00\u96c6\u5267\u96c6\uff0c\u548c\u5176\u4ed6\u66f4\u591a\u4fe1\u606f\u3002\u7eff\u8272\u5706\u5708\u63d0\u793a\u60a8\u6709\u591a\u5c11\u9879\u76ee\u5c1a\u672a\u64ad\u653e\u3002", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", + "WebClientTourUserPreferences3": "Design the web client home page to your liking", + "WebClientTourUserPreferences4": "\u914d\u7f6e\u80cc\u666f\u3001\u4e3b\u9898\u6b4c\u548c\u5916\u90e8\u64ad\u653e\u5668", + "WebClientTourMobile1": "The web client works great on smartphones and tablets...", + "WebClientTourMobile2": "and easily controls other devices and Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "\u8bbe\u5907", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "\u5fd8\u8bb0\u5bc6\u7801", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "\u540c\u6b65", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "\u540c\u6b65", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "\u9650\u5236\uff1a", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "\u94fe\u63a5\uff1a {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "\u5267\u96c6", - "HeaderSelectCustomIntrosPath": "\u9009\u62e9\u81ea\u5b9a\u4e49\u4ecb\u7ecd\u8def\u5f84", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "\u540c\u6b65", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "\u64ad\u653e", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "\u4fe1\u606f", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "\u5fd8\u8bb0\u5bc6\u7801", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "\u67e5\u770b\u60a8\u6700\u8fd1\u6dfb\u52a0\u7684\u5a92\u4f53\uff0c\u4e0b\u4e00\u96c6\u5267\u96c6\uff0c\u548c\u5176\u4ed6\u66f4\u591a\u4fe1\u606f\u3002\u7eff\u8272\u5706\u5708\u63d0\u793a\u60a8\u6709\u591a\u5c11\u9879\u76ee\u5c1a\u672a\u64ad\u653e\u3002", - "HeaderPeople": "\u4eba\u7269", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "\u4fe1\u606f", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "WebClientTourUserPreferences4": "\u914d\u7f6e\u80cc\u666f\u3001\u4e3b\u9898\u6b4c\u548c\u5916\u90e8\u64ad\u653e\u5668", - "WebClientTourMobile1": "The web client works great on smartphones and tablets...", - "WebClientTourMobile2": "and easily controls other devices and Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "\u9ad8\u7ea7", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ 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 7af84aac33..b0ebf81d53 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh-TW.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh-TW.json @@ -1,630 +1,611 @@ { + "SettingsSaved": "\u8a2d\u7f6e\u5df2\u4fdd\u5b58\u3002", + "AddUser": "\u6dfb\u52a0\u7528\u6236", + "Users": "\u7528\u6236", + "Delete": "\u522a\u9664", + "Administrator": "\u7ba1\u7406\u54e1", + "Password": "\u5bc6\u78bc", + "DeleteImage": "\u522a\u9664\u5716\u50cf", + "MessageThankYouForSupporting": "Thank you for supporting Emby.", + "MessagePleaseSupportProject": "Please support Emby.", + "DeleteImageConfirmation": "\u4f60\u78ba\u5b9a\u8981\u522a\u9664\u9019\u5f35\u5716\u50cf\uff1f", + "FileReadCancelled": "The file read has been canceled.", + "FileNotFound": "\u672a\u627e\u5230\u6a94\u6848\u3002", + "FileReadError": "\u5728\u8b80\u53d6\u6a94\u6848\u6642\u767c\u751f\u932f\u8aa4\u3002", + "DeleteUser": "\u522a\u9664\u7528\u6236", + "DeleteUserConfirmation": "Are you sure you wish to delete this user?", + "PasswordResetHeader": "Reset Password", + "PasswordResetComplete": "\u5bc6\u78bc\u5df2\u91cd\u8a2d", + "PinCodeResetComplete": "The pin code has been reset.", + "PasswordResetConfirmation": "\u4f60\u78ba\u5b9a\u8981\u91cd\u8a2d\u5bc6\u78bc\uff1f", + "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", + "HeaderPinCodeReset": "Reset Pin Code", + "PasswordSaved": "\u5bc6\u78bc\u5df2\u4fdd\u5b58\u3002", + "PasswordMatchError": "\u5bc6\u78bc\u548c\u5bc6\u78bc\u78ba\u8a8d\u5fc5\u9808\u4e00\u81f4\u3002", + "OptionRelease": "Official Release", + "OptionBeta": "\u516c\u6e2c\u7248\u672c", + "OptionDev": "Dev (Unstable)", + "UninstallPluginHeader": "\u5378\u8f09\u63d2\u4ef6", + "UninstallPluginConfirmation": "\u4f60\u78ba\u5b9a\u8981\u5378\u8f09{0}\uff1f", + "NoPluginConfigurationMessage": "\u9019\u500b\u63d2\u4ef6\u6c92\u6709\u8a2d\u5b9a\u9078\u9805\u3002", + "NoPluginsInstalledMessage": "\u4f60\u6c92\u6709\u5b89\u88dd\u63d2\u4ef6\u3002", + "BrowsePluginCatalogMessage": "\u700f\u89bd\u6211\u5011\u7684\u63d2\u4ef6\u76ee\u9304\u4f86\u67e5\u770b\u53ef\u7528\u7684\u63d2\u4ef6\u3002", + "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.", + "HeaderSupportTheTeam": "Support the Emby Team", + "TextEnjoyBonusFeatures": "Enjoy Bonus Features", + "TitleLiveTV": "\u96fb\u8996\u529f\u80fd", + "ButtonCancelSyncJob": "Cancel sync job", + "TitleSync": "Sync", + "HeaderSelectDate": "Select Date", + "ButtonDonate": "Donate", + "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", + "HeaderMyMedia": "My Media", + "TitleNotifications": "Notifications", + "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", + "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", + "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", + "HeaderConfirmRemoveUser": "Remove User", + "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", + "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", + "ValueTimeLimitSingleHour": "Time limit: 1 hour", + "ValueTimeLimitMultiHour": "Time limit: {0} hours", + "HeaderUsers": "\u7528\u6236", + "PluginCategoryGeneral": "General", + "PluginCategoryContentProvider": "Content Providers", + "PluginCategoryScreenSaver": "Screen Savers", + "PluginCategoryTheme": "Themes", + "PluginCategorySync": "Sync", + "PluginCategorySocialIntegration": "Social Networks", + "PluginCategoryNotifications": "Notifications", + "PluginCategoryMetadata": "Metadata", + "PluginCategoryLiveTV": "Live TV", + "PluginCategoryChannel": "Channels", + "HeaderSearch": "Search", + "ValueDateCreated": "Date created: {0}", + "LabelArtist": "Artist", + "LabelMovie": "Movie", + "LabelMusicVideo": "Music Video", + "LabelEpisode": "Episode", + "LabelSeries": "Series", + "LabelStopping": "Stopping", + "LabelCancelled": "(cancelled)", + "LabelFailed": "(failed)", + "ButtonHelp": "Help", + "ButtonSave": "\u4fdd\u5b58", + "ButtonDownload": "Download", + "SyncJobStatusQueued": "Queued", + "SyncJobStatusConverting": "Converting", + "SyncJobStatusFailed": "Failed", + "SyncJobStatusCancelled": "Cancelled", + "SyncJobStatusCompleted": "Synced", + "SyncJobStatusReadyToTransfer": "Ready to Transfer", + "SyncJobStatusTransferring": "Transferring", + "SyncJobStatusCompletedWithError": "Synced with errors", + "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", + "LabelCollection": "Collection", + "HeaderAddToCollection": "Add to Collection", + "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", + "LabelSelectCollection": "Select collection:", + "HeaderDevices": "Devices", + "ButtonScheduledTasks": "Scheduled tasks", + "MessageItemsAdded": "Items added", + "ButtonAddToCollection": "Add to collection", + "HeaderSelectCertificatePath": "Select Certificate Path", + "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", + "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", + "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", + "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", + "HeaderWelcomeToProjectWebClient": "Welcome to Emby", + "ButtonTakeTheTour": "Take the tour", + "HeaderWelcomeBack": "Welcome back!", + "TitlePlugins": "Plugins", + "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", + "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", + "ButtonPlayTrailer": "Play trailer", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderDeviceAccess": "Device Access", + "HeaderSelectDevices": "Select Devices", + "ButtonCancelItem": "Cancel item", + "ButtonQueueForRetry": "Queue for retry", + "ButtonReenable": "Re-enable", + "ButtonLearnMore": "Learn more", + "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", + "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", + "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", + "HeaderDeleteTaskTrigger": "Delete Task Trigger", "HeaderTaskTriggers": "Task Triggers", - "ButtonResetTuner": "Reset tuner", - "ButtonRestart": "Restart", "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?", - "HeaderResetTuner": "Reset Tuner", - "NewCollectionNameExample": "\u4f8b\u5b50\uff1a\u661f\u7403\u5927\u6230\u5408\u96c6", "MessageNoPluginsInstalled": "You have no plugins installed.", - "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.", - "OptionSearchForInternetMetadata": "\u5728\u4e92\u806f\u7db2\u4e0a\u641c\u7d22\u5a92\u9ad4\u5716\u50cf\u548c\u8cc7\u6599", - "ButtonUpdateNow": "Update Now", "LabelVersionInstalled": "{0} installed", - "ButtonCancelSeries": "Cancel Series", "LabelNumberReviews": "{0} Reviews", - "LabelAllChannels": "All channels", "LabelFree": "Free", - "HeaderSeriesRecordings": "Series Recordings", + "HeaderPlaybackError": "Playback Error", + "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", + "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", + "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", + "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "HeaderSelectAudio": "Select Audio", - "LabelAnytime": "Any time", "HeaderSelectSubtitles": "Select Subtitles", - "StatusRecording": "Recording", + "ButtonMarkForRemoval": "Remove from device", + "ButtonUnmarkForRemoval": "Cancel removal from device", "LabelDefaultStream": "(Default)", - "StatusWatching": "Watching", "LabelForcedStream": "(Forced)", - "StatusRecordingProgram": "Recording {0}", "LabelDefaultForcedStream": "(Default\/Forced)", - "StatusWatchingProgram": "Watching {0}", "LabelUnknownLanguage": "Unknown language", - "ButtonQueue": "Queue", + "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", + "ButtonMute": "Mute", "ButtonUnmute": "Unmute", - "LabelSyncNoTargetsHelp": "It looks like you don't currently have any apps that support sync.", - "HeaderSplitMedia": "Split Media Apart", + "ButtonStop": "Stop", + "ButtonNextTrack": "Next Track", + "ButtonPause": "Pause", + "ButtonPlay": "\u64ad\u653e", + "ButtonEdit": "\u7de8\u8f2f", + "ButtonQueue": "Queue", "ButtonPlaylist": "Playlist", - "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?", - "HeaderError": "Error", + "ButtonPreviousTrack": "Previous Track", "LabelEnabled": "Enabled", - "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to sync, premium plugins, internet channel content, and more. {0}Learn more{1}.", "LabelDisabled": "Disabled", - "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:", "ButtonMoreInformation": "More Information", - "MessageConfirmItemGrouping": "Emby apps will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?", "LabelNoUnreadNotifications": "No unread notifications.", "ButtonViewNotifications": "View notifications", - "HeaderFavoriteAlbums": "Favorite Albums", "ButtonMarkTheseRead": "Mark these read", - "HeaderLatestChannelMedia": "Latest Channel Items", "ButtonClose": "Close", - "ButtonOrganizeFile": "Organize File", - "ButtonLearnMore": "Learn more", - "TabEpisodes": "\u55ae\u5143", "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.", - "ButtonDeleteFile": "Delete File", "MessageInvalidUser": "Invalid username or password. Please try again.", - "HeaderOrganizeFile": "Organize File", - "HeaderAudioTracks": "Audio Tracks", + "HeaderLoginFailure": "Login Failure", + "HeaderAllRecordings": "\u6240\u6709\u9304\u5f71", "RecommendationBecauseYouLike": "Because you like {0}", - "HeaderDeleteFile": "Delete File", - "ButtonAdd": "\u6dfb\u52a0", - "HeaderSubtitles": "Subtitles", - "ButtonView": "View", "RecommendationBecauseYouWatched": "Because you watched {0}", - "StatusSkipped": "Skipped", - "HeaderVideoQuality": "Video Quality", "RecommendationDirectedBy": "Directed by {0}", - "StatusFailed": "Failed", - "MessageErrorPlayingVideo": "There was an error playing the video.", "RecommendationStarring": "Starring {0}", - "StatusSuccess": "Success", - "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.", "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation", - "MessageFileWillBeDeleted": "The following file will be deleted:", - "ButtonDashboard": "Dashboard", "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?", - "MessageSureYouWishToProceed": "Are you sure you wish to proceed?", - "ButtonHelp": "Help", - "ButtonReports": "Reports", - "HeaderUnrated": "Unrated", "MessageRecordingCancelled": "Recording cancelled.", - "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:", - "ButtonMetadataManager": "Metadata Manager", - "ValueDiscNumber": "Disc {0}", - "OptionOff": "\u95dc\u9589", + "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", + "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", + "MessageSeriesCancelled": "Series cancelled.", "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion", - "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:", - "HeaderTime": "Time", - "HeaderUnknownDate": "Unknown Date", - "OptionOn": "\u958b\u555f", "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?", - "MessageDestinationTo": "to:", - "HeaderAlbum": "Album", - "HeaderUnknownYear": "Unknown Year", - "OptionRelease": "Official Release", "MessageRecordingDeleted": "Recording deleted.", - "HeaderSelectWatchFolder": "Select Watch Folder", - "HeaderAlbumArtist": "Album Artist", - "HeaderMyViews": "My Views", - "ValueMinutes": "{0} min", - "OptionBeta": "\u516c\u6e2c\u7248\u672c", "ButonCancelRecording": "Cancel Recording", - "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.", - "HeaderArtist": "Artist", - "OptionDev": "Dev (Unstable)", "MessageRecordingSaved": "Recording saved.", - "OrganizePatternResult": "Result: {0}", - "HeaderLatestTvRecordings": "Latest Recordings", - "UninstallPluginHeader": "\u5378\u8f09\u63d2\u4ef6", - "ButtonMute": "Mute", - "HeaderRestart": "Restart", - "UninstallPluginConfirmation": "\u4f60\u78ba\u5b9a\u8981\u5378\u8f09{0}\uff1f", - "HeaderShutdown": "Shutdown", - "NoPluginConfigurationMessage": "\u9019\u500b\u63d2\u4ef6\u6c92\u6709\u8a2d\u5b9a\u9078\u9805\u3002", - "MessageConfirmRestart": "Are you sure you wish to restart Emby Server?", - "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Emby Server will be abruptly terminated.", - "NoPluginsInstalledMessage": "\u4f60\u6c92\u6709\u5b89\u88dd\u63d2\u4ef6\u3002", - "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", - "HeaderConfirmRevokeApiKey": "Revoke Api Key", - "BrowsePluginCatalogMessage": "\u700f\u89bd\u6211\u5011\u7684\u63d2\u4ef6\u76ee\u9304\u4f86\u67e5\u770b\u53ef\u7528\u7684\u63d2\u4ef6\u3002", - "NewVersionOfSomethingAvailable": "A new version of {0} is available!", - "VersionXIsAvailableForDownload": "Version {0} is now available for download.", - "TextEnjoyBonusFeatures": "Enjoy Bonus Features", - "ButtonHome": "Home", + "OptionSunday": "\u661f\u671f\u5929", + "OptionMonday": "\u661f\u671f\u4e00", + "OptionTuesday": "\u661f\u671f\u4e8c", + "OptionWednesday": "\u661f\u671f\u4e09", + "OptionThursday": "\u661f\u671f\u56db", + "OptionFriday": "\u661f\u671f\u4e94", + "OptionSaturday": "\u661f\u671f\u516d", + "OptionEveryday": "Every day", "OptionWeekend": "Weekends", - "ButtonSettings": "Settings", "OptionWeekday": "Weekdays", - "OptionEveryday": "Every day", - "HeaderMediaFolders": "\u5a92\u9ad4\u6587\u4ef6\u593e", - "ValueDateCreated": "Date created: {0}", - "MessageItemsAdded": "Items added", - "HeaderScenes": "\u5834\u666f", - "HeaderNotifications": "Notifications", - "HeaderSelectPlayer": "Select Player:", - "ButtonAddToCollection": "Add to collection", - "HeaderSelectCertificatePath": "Select Certificate Path", - "LabelBirthDate": "Birth date:", - "HeaderSelectPath": "Select Path", - "ButtonPlayTrailer": "Play trailer", - "HeaderLibraryAccess": "Library Access", - "HeaderChannelAccess": "Channel Access", - "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", - "TitleNotifications": "Notifications", - "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Emby.", - "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 Emby.", - "SyncJobStatusConverting": "Converting", - "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", - "SyncJobStatusFailed": "Failed", - "SyncJobStatusCancelled": "Cancelled", - "SyncJobStatusTransferring": "Transferring", - "FolderTypeUnset": "Unset (mixed content)", + "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", + "MessageChromecastConnectionError": "Your Chromecast receiver is unable to connect to your Emby Server. Please check their connections and try again.", + "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": "Emby apps 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": "\u6dfb\u52a0", + "ButtonRemove": "\u6e05\u9664", "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.", - "HeaderUsers": "\u7528\u6236", - "ValueStatus": "Status: {0}", - "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", - "HeaderResume": "Resume", - "HeaderVideoError": "Video Error", + "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 Emby Server?", + "MessageConfirmShutdown": "Are you sure you wish to shutdown Emby Server?", + "ButtonUpdateNow": "Update Now", + "ValueItemCount": "{0} item", + "ValueItemCountPlural": "{0} items", + "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", + "LabelEpisodeNumber": "Episode number:", + "LabelAudioCodec": "Audio: {0}", + "LabelVideoCodec": "Video: {0}", + "LabelLocalAccessUrl": "Local access: {0}", + "LabelRemoteAccessUrl": "Remote access: {0}", + "LabelRunningOnPort": "Running on http port {0}.", + "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", + "HeaderLatestFromChannel": "Latest from {0}", + "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", - "TabSongs": "\u6b4c\u66f2", - "TabAlbums": "\u5c08\u8f2f", - "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.", + "HeaderLatestTvRecordings": "Latest Recordings", + "ButtonOk": "OK", + "ButtonCancel": "\u53d6\u6d88", + "ButtonRefresh": "Refresh", + "LabelCurrentPath": "Current path:", + "HeaderSelectMediaPath": "Select Media Path", + "HeaderSelectPath": "Select 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": "\u5834\u666f", + "HeaderAudioTracks": "Audio Tracks", + "HeaderLibraries": "Libraries", + "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", + "LabelSeasonNumber": "Season number:", + "HeaderChannels": "\u983b\u5ea6", + "HeaderMediaFolders": "\u5a92\u9ad4\u6587\u4ef6\u593e", + "HeaderBlockItemsWithNoRating": "Block content 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 Emby Server will be abruptly terminated.", + "HeaderConfirmRevokeApiKey": "Revoke Api Key", "ValueContainer": "Container: {0}", "ValueAudioCodec": "Audio Codec: {0}", "ValueVideoCodec": "Video Codec: {0}", - "TabMusicVideos": "Music Videos", "ValueCodec": "Codec: {0}", - "HeaderLatestReviews": "Latest Reviews", - "HeaderDevices": "Devices", "ValueConditions": "Conditions: {0}", - "HeaderPluginInstallation": "Plugin Installation", "LabelAll": "All", - "MessageAlreadyInstalled": "This version is already installed.", "HeaderDeleteImage": "Delete Image", - "ValueReviewCount": "{0} Reviews", "MessageFileNotFound": "File not found.", - "MessageYouHaveVersionInstalled": "You currently have version {0} installed.", "MessageFileReadError": "An error occurred reading this file.", - "MessageTrialExpired": "The trial period for this feature has expired", "ButtonNextPage": "Next Page", - "OptionWatched": "Watched", - "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)", "ButtonPreviousPage": "Previous Page", - "OptionUnwatched": "Unwatched", - "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.", - "OptionRuntime": "\u64ad\u653e\u9577\u5ea6", - "HeaderMyMedia": "My Media", "ButtonMoveLeft": "Move left", - "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.", - "ValuePriceUSD": "Price: {0} (USD)", "OptionReleaseDate": "Release date", "ButtonMoveRight": "Move right", - "LabelMarkAs": "Mark as:", "ButtonBrowseOnlineImages": "Browse online images", - "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", - "OptionInProgress": "In-Progress", "HeaderDeleteItem": "Delete Item", - "ButtonUninstall": "Uninstall", - "LabelResumePoint": "Resume point:", "ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?", - "ValueOneMovie": "1 movie", - "ValueItemCount": "{0} item", "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.", - "ValueMovieCount": "{0} movies", - "PluginCategoryGeneral": "General", - "ValueItemCountPlural": "{0} items", "MessageValueNotCorrect": "The value entered is not correct. Please try again.", - "ValueOneTrailer": "1 trailer", "MessageItemSaved": "Item saved.", - "HeaderWelcomeBack": "Welcome back!", - "ValueTrailerCount": "{0} trailers", + "MessagePleaseAcceptTermsOfServiceBeforeContinuing": "Please accept the terms of service before continuing.", + "OptionEnded": "\u5b8c\u7d50", + "OptionContinuing": "\u6301\u7e8c", + "OptionOff": "\u95dc\u9589", + "OptionOn": "\u958b\u555f", + "ButtonSettings": "Settings", + "ButtonUninstall": "Uninstall", "HeaderFields": "Fields", - "ButtonTakeTheTourToSeeWhatsNew": "Take the tour to see what's new", - "ValueOneSeries": "1 series", - "PluginCategoryContentProvider": "Content Providers", "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.", - "ValueSeriesCount": "{0} series", "HeaderLiveTV": "Live TV", - "ValueOneEpisode": "1 episode", - "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.", - "ButtonRevoke": "Revoke", "MissingLocalTrailer": "Missing local trailer.", - "ValueEpisodeCount": "{0} episodes", - "PluginCategoryScreenSaver": "Screen Savers", - "ButtonMore": "More", "MissingPrimaryImage": "Missing primary image.", - "ValueOneGame": "1 game", - "HeaderFavoriteMovies": "Favorite Movies", "MissingBackdropImage": "Missing backdrop image.", - "ValueGameCount": "{0} games", - "HeaderFavoriteShows": "Favorite Shows", "MissingLogoImage": "Missing logo image.", - "ValueOneAlbum": "1 album", - "PluginCategoryTheme": "Themes", - "HeaderFavoriteEpisodes": "Favorite Episodes", "MissingEpisode": "Missing episode.", - "ValueAlbumCount": "{0} albums", - "HeaderFavoriteGames": "Favorite Games", - "MessagePlaybackErrorPlaceHolder": "The content chosen is not playable from this device.", "OptionScreenshots": "Screenshots", - "ValueOneSong": "1 song", - "HeaderRatingsDownloads": "Rating \/ Downloads", "OptionBackdrops": "Backdrops", - "MessageErrorLoadingSupporterInfo": "There was an error loading supporter information. Please try again later.", - "ValueSongCount": "{0} songs", - "PluginCategorySync": "Sync", - "HeaderConfirmProfileDeletion": "Confirm Profile Deletion", - "HeaderSelectDate": "Select Date", - "ValueOneMusicVideo": "1 music video", - "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?", "OptionImages": "Images", - "ValueMusicVideoCount": "{0} music videos", - "HeaderSelectServerCachePath": "Select Server Cache Path", "OptionKeywords": "Keywords", - "MessageLinkYourSupporterKey": "Link your supporter key with up to {0} Emby Connect members to enjoy free access to the following apps:", - "HeaderOffline": "Offline", - "PluginCategorySocialIntegration": "Social Networks", - "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path", - "MessageThankYouForSupporting": "Thank you for supporting Emby.", "OptionTags": "Tags", - "HeaderUnaired": "Unaired", - "HeaderSelectImagesByNamePath": "Select Images By Name Path", "OptionStudios": "Studios", - "HeaderMissing": "Missing", - "HeaderSelectMetadataPath": "Select Metadata Path", "OptionName": "Name", - "HeaderConfirmRemoveUser": "Remove User", - "ButtonWebsite": "Website", - "PluginCategoryNotifications": "Notifications", - "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.", - "SyncJobStatusQueued": "Queued", "OptionOverview": "Overview", - "TooltipFavorite": "Favorite", - "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.", - "ButtonCancelItem": "Cancel item", "OptionGenres": "Genres", - "ButtonScheduledTasks": "Scheduled tasks", - "ValueTimeLimitSingleHour": "Time limit: 1 hour", - "TooltipLike": "Like", - "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.", - "SyncJobStatusCompleted": "Synced", + "OptionParentalRating": "\u5bb6\u9577\u8a55\u7d1a", "OptionPeople": "People", - "MessageConfirmRemoveConnectSupporter": "Are you sure you wish to remove additional supporter benefits from this user?", - "TooltipDislike": "Dislike", - "PluginCategoryMetadata": "Metadata", - "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.", - "ButtonQueueForRetry": "Queue for retry", - "SyncJobStatusCompletedWithError": "Synced with errors", + "OptionRuntime": "\u64ad\u653e\u9577\u5ea6", "OptionProductionLocations": "Production Locations", - "ButtonDonate": "Donate", - "TooltipPlayed": "Played", "OptionBirthLocation": "Birth Location", - "ValueTimeLimitMultiHour": "Time limit: {0} hours", - "ValueSeriesYearToPresent": "{0}-Present", - "ButtonReenable": "Re-enable", + "LabelAllChannels": "All channels", "LabelLiveProgram": "LIVE", - "ConfirmMessageScheduledTaskButton": "This operation normally runs automatically as a scheduled task. It can also be run manually here. To configure the scheduled task, see:", - "ValueAwards": "Awards: {0}", - "PluginCategoryLiveTV": "Live TV", "LabelNewProgram": "NEW", - "ValueBudget": "Budget: {0}", - "SyncJobItemStatusSyncedMarkForRemoval": "Marked for removal", "LabelPremiereProgram": "PREMIERE", - "ValueRevenue": "Revenue: {0}", + "LabelHDProgram": "HD", "HeaderChangeFolderType": "Change Content Type", - "ButtonQueueAllFromHere": "Queue all from here", - "ValuePremiered": "Premiered {0}", - "PluginCategoryChannel": "Channels", - "HeaderLibraryFolders": "Media Folders", - "ButtonMarkForRemoval": "Remove from device", "HeaderChangeFolderTypeHelp": "To change the type, please remove and rebuild the folder with the new type.", - "ButtonPlayAllFromHere": "Play all from here", - "ValuePremieres": "Premieres {0}", "HeaderAlert": "Alert", - "LabelDynamicExternalId": "{0} Id:", - "ValueStudio": "Studio: {0}", - "ButtonUnmarkForRemoval": "Cancel removal from device", "MessagePleaseRestart": "Please restart to finish updating.", - "HeaderIdentify": "Identify Item", - "ValueStudios": "Studios: {0}", + "ButtonRestart": "Restart", "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.", - "PersonTypePerson": "Person", - "LabelHDProgram": "HD", - "ValueSpecialEpisodeName": "Special - {0}", - "TitlePlugins": "Plugins", - "MessageConfirmSyncJobItemCancellation": "Are you sure you wish to cancel this item?", "ButtonHide": "Hide", - "LabelTitleDisplayOrder": "Title display order:", - "ButtonViewSeriesRecording": "View series recording", "MessageSettingsSaved": "Settings saved.", - "OptionSortName": "Sort name", - "ValueOriginalAirDate": "Original air date: {0}", - "HeaderLibraries": "Libraries", "ButtonSignOut": "Sign Out", - "ButtonOk": "OK", "ButtonMyProfile": "My Profile", - "ButtonCancel": "\u53d6\u6d88", "ButtonMyPreferences": "My Preferences", - "LabelDiscNumber": "Disc number", "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.", - "LabelParentNumber": "Parent number", "LabelInstallingPackage": "Installing {0}", - "TitleSync": "Sync", "LabelPackageInstallCompleted": "{0} installation completed.", - "LabelTrackNumber": "Track number:", "LabelPackageInstallFailed": "{0} installation failed.", - "LabelNumber": "Number:", "LabelPackageInstallCancelled": "{0} installation cancelled.", - "LabelReleaseDate": "Release date:", + "TabServer": "\u4f3a\u670d\u5668", "TabUsers": "Users", - "LabelEndDate": "End date:", "TabLibrary": "Library", - "LabelYear": "Year:", + "TabMetadata": "\u5a92\u9ad4\u8cc7\u6599", "TabDLNA": "DLNA", - "LabelDateOfBirth": "Date of birth:", "TabLiveTV": "Live TV", - "LabelBirthYear": "Birth year:", "TabAutoOrganize": "Auto-Organize", - "LabelDeathDate": "Death date:", "TabPlugins": "Plugins", - "HeaderRemoveMediaLocation": "Remove Media Location", - "HeaderDeviceAccess": "Device Access", + "TabAdvanced": "\u9032\u968e", "TabHelp": "Help", - "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?", - "HeaderSelectDevices": "Select Devices", "TabScheduledTasks": "Scheduled Tasks", - "HeaderRenameMediaFolder": "Rename Media Folder", - "LabelNewName": "New name:", - "HeaderLatestFromChannel": "Latest from {0}", - "HeaderAddMediaFolder": "Add Media Folder", - "ButtonQuality": "Quality", - "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):", "ButtonFullscreen": "Fullscreen", - "HeaderRemoveMediaFolder": "Remove Media Folder", - "ButtonScenes": "Scenes", - "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:", - "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.", - "ButtonSubtitles": "Subtitles", - "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?", - "MessagePleaseSelectOneItem": "Please select at least one item.", "ButtonAudioTracks": "Audio Tracks", - "ButtonRename": "Rename", - "MessagePleaseSelectTwoItems": "Please select at least two items.", - "ButtonPreviousTrack": "Previous Track", - "ButtonChangeType": "Change type", - "HeaderSelectChannelDownloadPath": "Select Channel Download Path", - "ButtonNextTrack": "Next Track", - "HeaderMediaLocations": "Media Locations", - "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.", - "ButtonStop": "Stop", - "OptionNewCollection": "New...", - "ButtonPause": "Pause", - "TabMovies": "\u96fb\u5f71", - "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", - "TabTrailers": "\u9810\u544a", - "FolderTypeMovies": "Movies", - "LabelCollection": "Collection", - "FolderTypeMusic": "Music", - "FolderTypeAdultVideos": "Adult videos", - "HeaderAddToCollection": "Add to Collection", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "FolderTypeMusicVideos": "Music videos", - "SettingsSaved": "\u8a2d\u7f6e\u5df2\u4fdd\u5b58\u3002", - "OptionParentalRating": "\u5bb6\u9577\u8a55\u7d1a", - "FolderTypeHomeVideos": "Home videos", - "AddUser": "\u6dfb\u52a0\u7528\u6236", - "HeaderMenu": "Menu", - "FolderTypeGames": "Games", - "Users": "\u7528\u6236", - "ButtonRefresh": "Refresh", - "PinCodeResetComplete": "The pin code has been reset.", - "ButtonOpen": "Open", - "FolderTypeBooks": "Books", - "Delete": "\u522a\u9664", - "LabelCurrentPath": "Current path:", - "TabAdvanced": "\u9032\u968e", - "ButtonOpenInNewTab": "Open in new tab", - "FolderTypeTvShows": "TV", - "Administrator": "\u7ba1\u7406\u54e1", - "HeaderSelectMediaPath": "Select Media Path", - "PinCodeResetConfirmation": "Are you sure you wish to reset the pin code?", - "ButtonShuffle": "Shuffle", - "ButtonCancelSyncJob": "Cancel sync job", - "BirthPlaceValue": "Birth place: {0}", - "Password": "\u5bc6\u78bc", - "ButtonNetwork": "Network", - "OptionContinuing": "\u6301\u7e8c", - "ButtonInstantMix": "Instant mix", - "DeathDateValue": "Died: {0}", - "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.", - "HeaderPinCodeReset": "Reset Pin Code", - "OptionEnded": "\u5b8c\u7d50", - "ButtonResume": "Resume", + "ButtonSubtitles": "Subtitles", + "ButtonScenes": "Scenes", + "ButtonQuality": "Quality", + "HeaderNotifications": "Notifications", + "HeaderSelectPlayer": "Select Player:", + "ButtonSelect": "\u9078\u64c7", + "ButtonNew": "\u5275\u5efa", + "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.", + "HeaderVideoError": "Video Error", "ButtonAddToPlaylist": "Add to playlist", - "BirthDateValue": "Born: {0}", - "ButtonMoreItems": "More...", - "DeleteImage": "\u522a\u9664\u5716\u50cf", "HeaderAddToPlaylist": "Add to Playlist", - "LabelSelectCollection": "Select collection:", - "MessageNoSyncJobsFound": "No sync jobs found. Create sync jobs using the Sync buttons found throughout the web interface.", - "ButtonRemoveFromPlaylist": "Remove from playlist", - "DeleteImageConfirmation": "\u4f60\u78ba\u5b9a\u8981\u522a\u9664\u9019\u5f35\u5716\u50cf\uff1f", - "HeaderLoginFailure": "Login Failure", - "OptionSunday": "\u661f\u671f\u5929", + "LabelName": "\u540d\u5b57\uff1a", + "ButtonSubmit": "Submit", "LabelSelectPlaylist": "Playlist:", - "LabelContentTypeValue": "Content type: {0}", - "FileReadCancelled": "The file read has been canceled.", - "OptionMonday": "\u661f\u671f\u4e00", "OptionNewPlaylist": "New playlist...", - "FileNotFound": "\u672a\u627e\u5230\u6a94\u6848\u3002", - "HeaderPlaybackError": "Playback Error", - "OptionTuesday": "\u661f\u671f\u4e8c", "MessageAddedToPlaylistSuccess": "Ok", - "FileReadError": "\u5728\u8b80\u53d6\u6a94\u6848\u6642\u767c\u751f\u932f\u8aa4\u3002", - "HeaderName": "Name", - "OptionWednesday": "\u661f\u671f\u4e09", + "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", + "HeaderPasswordReset": "Password Reset", + "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", - "DeleteUser": "\u522a\u9664\u7528\u6236", - "OptionThursday": "\u661f\u671f\u56db", "OptionSeries": "Series", - "DeleteUserConfirmation": "Are you sure you wish to delete this user?", - "MessagePlaybackErrorNotAllowed": "You're currently not authorized to play this content. Please contact your system administrator for details.", - "OptionFriday": "\u661f\u671f\u4e94", "OptionSeasons": "Seasons", - "PasswordResetHeader": "Reset Password", - "OptionSaturday": "\u661f\u671f\u516d", + "OptionEpisodes": "Episodes", "OptionGames": "Games", - "PasswordResetComplete": "\u5bc6\u78bc\u5df2\u91cd\u8a2d", - "HeaderSpecials": "Specials", "OptionGameSystems": "Game systems", - "PasswordResetConfirmation": "\u4f60\u78ba\u5b9a\u8981\u91cd\u8a2d\u5bc6\u78bc\uff1f", - "MessagePlaybackErrorNoCompatibleStream": "No compatible streams are currently available. Please try again later or contact your system administrator for details.", - "HeaderTrailers": "Trailers", "OptionMusicArtists": "Music artists", - "PasswordSaved": "\u5bc6\u78bc\u5df2\u4fdd\u5b58\u3002", - "HeaderAudio": "Audio", "OptionMusicAlbums": "Music albums", - "PasswordMatchError": "\u5bc6\u78bc\u548c\u5bc6\u78bc\u78ba\u8a8d\u5fc5\u9808\u4e00\u81f4\u3002", - "HeaderResolution": "Resolution", - "LabelFailed": "(failed)", "OptionMusicVideos": "Music videos", - "MessagePlaybackErrorRateLimitExceeded": "Your playback rate limit has been exceeded. Please contact your system administrator for details.", - "HeaderVideo": "Video", - "ButtonSelect": "\u9078\u64c7", - "LabelVersionNumber": "Version {0}", "OptionSongs": "Songs", - "HeaderRuntime": "Runtime", - "LabelPlayMethodTranscoding": "Transcoding", "OptionHomeVideos": "Home videos", - "ButtonSave": "\u4fdd\u5b58", - "HeaderCommunityRating": "Community rating", - "LabelSeries": "Series", - "LabelPlayMethodDirectStream": "Direct Streaming", "OptionBooks": "Books", - "HeaderParentalRating": "Parental rating", - "LabelSeasonNumber": "Season number:", - "HeaderChannels": "\u983b\u5ea6", - "LabelPlayMethodDirectPlay": "Direct Playing", "OptionAdultVideos": "Adult videos", - "ButtonDownload": "Download", - "HeaderReleaseDate": "Release date", - "LabelEpisodeNumber": "Episode number:", - "LabelAudioCodec": "Audio: {0}", "ButtonUp": "Up", - "LabelUnknownLanaguage": "Unknown language", - "HeaderDateAdded": "Date added", - "LabelVideoCodec": "Video: {0}", "ButtonDown": "Down", - "HeaderCurrentSubtitles": "Current Subtitles", - "ButtonPlayExternalPlayer": "Play with external player", - "HeaderSeries": "Series", - "TabServer": "\u4f3a\u670d\u5668", - "TabSeries": "\u96fb\u8996\u5287", - "LabelRemoteAccessUrl": "Remote access: {0}", "LabelMetadataReaders": "Metadata readers:", - "MessageDownloadQueued": "The download has been queued.", - "HeaderSelectExternalPlayer": "Select External Player", - "HeaderSeason": "Season", - "HeaderSupportTheTeam": "Support the Emby Team", - "LabelRunningOnPort": "Running on http port {0}.", "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.", - "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?", - "HeaderExternalPlayerPlayback": "External Player Playback", - "HeaderSeasonNumber": "Season number", - "LabelRunningOnPorts": "Running on http port {0}, and https port {1}.", "LabelMetadataDownloaders": "Metadata downloaders:", - "ButtonImDone": "I'm Done", - "HeaderNetwork": "Network", "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.", - "HeaderLatestMedia": "Latest Media", - "HeaderYear": "Year", "LabelMetadataSavers": "Metadata savers:", - "HeaderGameSystem": "Game system", - "MessagePleaseSupportProject": "Please support Emby.", "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.", - "HeaderPlayers": "Players", "LabelImageFetchers": "Image fetchers:", - "HeaderEmbeddedImage": "Embedded image", - "ButtonNew": "\u5275\u5efa", "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.", - "MessageSwipeDownOnRemoteControl": "Welcome to remote control. Select the device to control by clicking the cast icon in the upper right corner. Swipe down anywhere on this screen to go back to where you came from.", - "HeaderTrack": "Track", - "HeaderWelcomeToProjectServerDashboard": "Welcome to the Emby Server Dashboard", - "TabMetadata": "\u5a92\u9ad4\u8cc7\u6599", - "HeaderDisc": "Disc", - "HeaderWelcomeToProjectWebClient": "Welcome to Emby", - "LabelName": "\u540d\u5b57\uff1a", - "LabelAddedOnDate": "Added {0}", - "ButtonRemove": "\u6e05\u9664", - "ButtonStart": "Start", + "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", + "LabelDiscNumber": "Disc number", + "LabelParentNumber": "Parent number", + "LabelTrackNumber": "Track number:", + "LabelNumber": "Number:", + "LabelReleaseDate": "Release date:", + "LabelEndDate": "End date:", + "LabelYear": "Year:", + "LabelDateOfBirth": "Date of birth:", + "LabelBirthYear": "Birth year:", + "LabelBirthDate": "Birth date:", + "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", + "LabelContentTypeValue": "Content type: {0}", + "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.", + "FolderTypeUnset": "Unset (mixed content)", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", + "TabMovies": "\u96fb\u5f71", + "TabSeries": "\u96fb\u8996\u5287", + "TabEpisodes": "\u55ae\u5143", + "TabTrailers": "\u9810\u544a", + "TabGames": "\u904a\u6232", + "TabAlbums": "\u5c08\u8f2f", + "TabSongs": "\u6b4c\u66f2", + "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 Emby.", + "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 Emby.", + "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.", + "ButtonDelete": "\u522a\u9664", "HeaderEmbyAccountAdded": "Emby Account Added", - "HeaderBlockItemsWithNoRating": "Block content with no rating information:", - "LabelLocalAccessUrl": "Local access: {0}", - "OptionBlockOthers": "Others", - "SyncJobStatusReadyToTransfer": "Ready to Transfer", - "OptionBlockTvShows": "TV Shows", - "SyncJobItemStatusReadyToTransfer": "Ready to Transfer", "MessageEmbyAccountAdded": "The Emby account has been added to this user.", - "OptionBlockTrailers": "Trailers", - "OptionBlockMusic": "Music", - "OptionBlockMovies": "Movies", - "HeaderAllRecordings": "\u6240\u6709\u9304\u5f71", "MessagePendingEmbyAccountAdded": "The Emby 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.", - "OptionBlockBooks": "Books", - "ButtonPlay": "\u64ad\u653e", - "OptionBlockGames": "Games", - "MessageKeyEmailedTo": "Key emailed to {0}.", - "TabGames": "\u904a\u6232", - "ButtonEdit": "\u7de8\u8f2f", - "OptionBlockLiveTvPrograms": "Live TV Programs", - "MessageKeysLinked": "Keys linked.", - "HeaderEmbyAccountRemoved": "Emby Account Removed", - "OptionBlockLiveTvChannels": "Live TV Channels", - "HeaderConfirmation": "Confirmation", - "ButtonDelete": "\u522a\u9664", - "OptionBlockChannelContent": "Internet Channel Content", - "MessageKeyUpdated": "Thank you. Your supporter key has been updated.", - "MessageKeyRemoved": "Thank you. Your supporter key has been removed.", - "OptionMovies": "Movies", - "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", - "HeaderSearch": "Search", - "OptionEpisodes": "Episodes", - "LabelArtist": "Artist", - "LabelMovie": "Movie", - "HeaderPasswordReset": "Password Reset", - "TooltipLinkedToEmbyConnect": "Linked to Emby Connect", - "LabelMusicVideo": "Music Video", - "LabelEpisode": "Episode", - "LabelAbortedByServerShutdown": "(Aborted by server shutdown)", - "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation", - "LabelStopping": "Stopping", - "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?", - "LabelCancelled": "(cancelled)", - "MessageSeriesCancelled": "Series cancelled.", - "HeaderConfirmDeletion": "Confirm Deletion", - "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?", - "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.", - "LiveTvUpdateAvailable": "(Update available)", - "TitleLiveTV": "\u96fb\u8996\u529f\u80fd", - "HeaderDeleteTaskTrigger": "Delete Task Trigger", - "LabelVersionUpToDate": "Up to date!", - "ButtonTakeTheTour": "Take the tour", - "ButtonInbox": "Inbox", - "HeaderPlotKeywords": "Plot Keywords", - "HeaderTags": "Tags", - "TabCast": "Cast", - "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", - "TabScenes": "Scenes", - "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", - "MessageRefreshQueued": "Refresh queued", - "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", - "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 Emby.", - "ButtonLibraryAccess": "Library access", - "ButtonParentalControl": "Parental control", - "TabDevices": "Devices", - "LabelItemLimit": "Item limit:", - "HeaderAdvanced": "Advanced", - "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", - "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "HeaderEmbyAccountRemoved": "Emby Account Removed", + "MessageEmbyAccontRemoved": "The Emby account has been removed from this user.", + "TooltipLinkedToEmbyConnect": "Linked to Emby 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}", + "ValueStatus": "Status: {0}", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelLimit": "Limit:", + "ValueLinks": "Links: {0}", + "HeaderPeople": "People", "HeaderCastAndCrew": "Cast & Crew", - "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", "ValueArtist": "Artist: {0}", "ValueArtists": "Artists: {0}", + "HeaderTags": "Tags", "MediaInfoCameraMake": "Camera make", "MediaInfoCameraModel": "Camera model", "MediaInfoAltitude": "Altitude", @@ -637,15 +618,13 @@ "MediaInfoLongitude": "Longitude", "MediaInfoShutterSpeed": "Shutter speed", "MediaInfoSoftware": "Software", - "TabNotifications": "Notifications", "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...", + "HeaderPlotKeywords": "Plot Keywords", "HeaderMovies": "Movies", "HeaderAlbums": "Albums", "HeaderGames": "Games", - "HeaderConnectionFailure": "Connection Failure", "HeaderBooks": "Books", - "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", - "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", + "HeaderEpisodes": "Episodes", "HeaderSeasons": "Seasons", "HeaderTracks": "Tracks", "HeaderItems": "Items", @@ -653,153 +632,178 @@ "ButtonFullReview": "Full review", "ValueAsRole": "as {0}", "ValueGuestStar": "Guest star", - "HeaderInviteGuest": "Invite Guest", "MediaInfoSize": "Size", "MediaInfoPath": "Path", - "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", "MediaInfoFormat": "Format", "MediaInfoContainer": "Container", "MediaInfoDefault": "Default", "MediaInfoForced": "Forced", - "HeaderSettings": "Settings", "MediaInfoExternal": "External", - "OptionAutomaticallySyncNewContent": "Automatically sync new content", "MediaInfoTimestamp": "Timestamp", - "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", "MediaInfoPixelFormat": "Pixel format", - "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", "MediaInfoBitDepth": "Bit depth", - "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", "MediaInfoSampleRate": "Sample rate", - "ButtonSync": "Sync", "MediaInfoBitrate": "Bitrate", "MediaInfoChannels": "Channels", "MediaInfoLayout": "Layout", "MediaInfoLanguage": "Language", - "ButtonUnlockPrice": "Unlock {0}", "MediaInfoCodec": "Codec", "MediaInfoProfile": "Profile", "MediaInfoLevel": "Level", - "HeaderSaySomethingLike": "Say Something Like...", "MediaInfoAspectRatio": "Aspect ratio", "MediaInfoResolution": "Resolution", "MediaInfoAnamorphic": "Anamorphic", - "ButtonTryAgain": "Try Again", "MediaInfoInterlaced": "Interlaced", "MediaInfoFramerate": "Framerate", "MediaInfoStreamTypeAudio": "Audio", - "HeaderYouSaid": "You Said...", "MediaInfoStreamTypeData": "Data", "MediaInfoStreamTypeVideo": "Video", "MediaInfoStreamTypeSubtitle": "Subtitle", - "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", "MediaInfoStreamTypeEmbeddedImage": "Embedded Image", "MediaInfoRefFrames": "Ref frames", - "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", - "MessageNoItemsFound": "No items found.", + "TabPlayback": "Playback", + "TabNotifications": "Notifications", + "TabExpert": "Expert", + "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 Emby apps", + "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby 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 Emby apps", + "WebClientTourMySync": "Sync your personal media to your devices for offline viewing.", + "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.", + "DashboardTourHelp": "In-app help provides easy buttons to open wiki pages relating to the on-screen content.", + "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", + "DashboardTourSync": "Sync your personal media to your devices for offline viewing.", + "MessageRefreshQueued": "Refresh queued", + "TabDevices": "Devices", + "TabExtras": "Extras", + "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 Emby.", + "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 Emby.", + "HeaderConnectionFailure": "Connection Failure", + "MessageUnableToConnectToServer": "We're unable to connect to the selected server right now. Please ensure it is running and try again.", "ButtonSelectServer": "Select Server", - "ButtonManageServer": "Manage Server", "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.", - "ButtonPreferences": "Preferences", - "ButtonViewArtist": "View artist", - "ButtonViewAlbum": "View album", "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.", - "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", - "LabelProfile": "Profile:", + "DefaultErrorMessage": "There was an error processing the request. Please try again later.", + "ButtonAccept": "Accept", + "ButtonReject": "Reject", + "HeaderForgotPassword": "Forgot Password", + "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", + "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", + "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", + "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", + "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", + "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "HeaderInviteGuest": "Invite Guest", + "ButtonLinkMyEmbyAccount": "Link my account now", + "MessageConnectAccountRequiredToInviteGuest": "In order to invite guests you need to first link your Emby account to this server.", + "ButtonSync": "Sync", "SyncMedia": "Sync Media", - "ButtonNewServer": "New Server", - "LabelBitrateMbps": "Bitrate (Mbps):", "HeaderCancelSyncJob": "Cancel Sync", "CancelSyncJobConfirmation": "Cancelling the sync job will remove synced media from the device during the next sync process. Are you sure you wish to proceed?", + "TabSync": "Sync", "MessagePleaseSelectDeviceToSyncTo": "Please select a device to sync to.", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "MessageSyncJobCreated": "Sync job created.", "LabelSyncTo": "Sync to:", - "LabelLimit": "Limit:", "LabelSyncJobName": "Sync job name:", - "HeaderNewServer": "New Server", - "ValueLinks": "Links: {0}", "LabelQuality": "Quality:", - "MyDevice": "My Device", - "DefaultErrorMessage": "There was an error processing the request. Please try again later.", - "ButtonRemote": "Remote", - "ButtonAccept": "Accept", - "ButtonReject": "Reject", - "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 Emby Server dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.", - "HeaderEpisodes": "Episodes", - "HeaderSelectCustomIntrosPath": "Select Custom Intros Path", - "HeaderGroupVersions": "Group Versions", + "HeaderSettings": "Settings", + "OptionAutomaticallySyncNewContent": "Automatically sync new content", + "OptionAutomaticallySyncNewContentHelp": "New content added to will be automatically synced to the device.", + "OptionSyncUnwatchedVideosOnly": "Sync unwatched videos only", + "OptionSyncUnwatchedVideosOnlyHelp": "Only unwatched videos will be synced, and videos will be removed from the device as they are watched.", + "LabelItemLimit": "Item limit:", + "LabelItemLimitHelp": "Optional. Set a limit to the number of items that will be synced.", + "MessageBookPluginRequired": "Requires installation of the Bookshelf plugin", + "MessageGamePluginRequired": "Requires installation of the GameBrowser plugin", + "MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.", "SyncJobItemStatusQueued": "Queued", - "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", "SyncJobItemStatusConverting": "Converting", "SyncJobItemStatusTransferring": "Transferring", "SyncJobItemStatusSynced": "Synced", - "TabSync": "Sync", - "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", "SyncJobItemStatusFailed": "Failed", - "TabPlayback": "Playback", "SyncJobItemStatusRemovedFromDevice": "Removed from device", "SyncJobItemStatusCancelled": "Cancelled", - "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "LabelProfile": "Profile:", + "LabelBitrateMbps": "Bitrate (Mbps):", + "EmbyIntroDownloadMessage": "To download and install Emby Server visit {0}.", + "ButtonNewServer": "New Server", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "HeaderNewServer": "New Server", + "MyDevice": "My Device", + "ButtonRemote": "Remote", + "TabInfo": "\u8cc7\u8a0a", + "TabCast": "Cast", + "TabScenes": "Scenes", "HeaderUnlockApp": "Unlock App", - "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", "MessageUnlockAppWithPurchase": "Unlock the full features of the app with a small one-time purchase.", "MessageUnlockAppWithPurchaseOrSupporter": "Unlock the full features of the app with a small one-time purchase, or by signing in with an active Emby Supporter Membership.", "MessageUnlockAppWithSupporter": "Unlock the full features of the app by signing in with an active Emby Supporter Membership.", "MessageToValidateSupporter": "If you have an active Emby Supporter Membership, simply sign into the app using your Wifi connection within your home network.", "MessagePaymentServicesUnavailable": "Payment services are currently unavailable. Please try again later.", "ButtonUnlockWithSupporter": "Sign in with Emby Supporter Membership", - "HeaderForgotPassword": "Forgot Password", - "MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.", - "MessageForgotPasswordInNetworkRequired": "Please try again within your home network to initiate the password reset process.", "MessagePleaseSignInLocalNetwork": "Before proceeding, please ensure that you're connected to your local network using a Wifi or LAN connection.", - "MessageForgotPasswordFileCreated": "The following file has been created on your server and contains instructions on how to proceed:", - "TabExpert": "Expert", - "HeaderInvitationSent": "Invitation Sent", - "MessageForgotPasswordFileExpiration": "The reset pin will expire at {0}.", - "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.", - "MessageInvalidForgotPasswordPin": "An invalid or expired pin was entered. Please try again.", "ButtonUnlockWithPurchase": "Unlock with Purchase", - "TabExtras": "Extras", - "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Emby.", - "MessagePasswordResetForUsers": "Passwords have been removed for the following users:", + "ButtonUnlockPrice": "Unlock {0}", "MessageLiveTvGuideRequiresUnlock": "The Live TV Guide is currently limited to {0} channels. Click the unlock button to learn how to enjoy the full experience.", - "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.", - "HeaderPeople": "People", "OptionEnableFullscreen": "Enable Fullscreen", - "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", - "HeaderRateAndReview": "Rate and Review", - "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.", - "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu", - "HeaderThankYou": "Thank You", - "TabInfo": "\u8cc7\u8a0a", "ButtonServer": "Server", - "WebClientTourMetadataManager": "Click edit to open the metadata manager", - "MessageThankYouForYourReview": "Thank you for your review.", - "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device", - "LabelYourRating": "Your rating:", - "WebClientTourCollections": "Create movie collections to group box sets together", - "LabelFullReview": "Full review:", "HeaderAdmin": "Admin", - "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Emby apps", - "LabelShortRatingDescription": "Short rating summary:", - "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Emby app", - "OptionIRecommendThisItem": "I recommend this item", - "ButtonLinkMyEmbyAccount": "Link my account now", - "WebClientTourUserPreferences3": "Design the web client home page to your liking", "HeaderLibrary": "Library", - "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 Emby apps", "HeaderMedia": "Media", - "MessageEnjoyYourStay": "Enjoy your stay" + "ButtonInbox": "Inbox", + "HeaderAdvanced": "Advanced", + "HeaderGroupVersions": "Group Versions", + "HeaderSaySomethingLike": "Say Something Like...", + "ButtonTryAgain": "Try Again", + "HeaderYouSaid": "You Said...", + "MessageWeDidntRecognizeCommand": "We're sorry, we didn't recognize that command.", + "MessageIfYouBlockedVoice": "If you denied voice access to the app you'll need to reconfigure before trying again.", + "MessageNoItemsFound": "No items found.", + "ButtonManageServer": "Manage Server", + "ButtonPreferences": "Preferences", + "ButtonViewArtist": "View artist", + "ButtonViewAlbum": "View album", + "ErrorMessagePasswordNotMatchConfirm": "The password and password confirmation must match.", + "ErrorMessageUsernameInUse": "The username is already in use. Please choose a new name and try again.", + "ErrorMessageEmailInUse": "The email address is already in use. Please enter a new email address and try again, or use the forgot password feature.", + "MessageThankYouForConnectSignUp": "Thank you for signing up for Emby Connect. An email will be sent to your address with instructions on how to confirm your new account. Please confirm the account and then return here to sign in.", + "HeaderShare": "Share", + "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", + "ButtonShare": "Share", + "HeaderConfirm": "Confirm" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ar.json b/MediaBrowser.Server.Implementations/Localization/Server/ar.json index 670b9a0c25..76a65c4897 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ar.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ar.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "\u0627\u0632\u0627\u0644\u0629 \u0635\u0648\u0631\u0629", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "\u062a\u062d\u0645\u064a\u0644", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "\u062a\u062d\u0645\u064a\u0644 \u0635\u0648\u0631\u0629 \u062c\u062f\u064a\u062f\u0629", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "\u0627\u0633\u0642\u0627\u0637 \u0627\u0644\u0635\u0648\u0631\u0629 \u0647\u0646\u0627", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "\u0644\u0627 \u0634\u0649\u0621 \u0647\u0646\u0627.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "\u0645\u0642\u062a\u0631\u062d", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "\u0627\u0644\u0627\u062e\u064a\u0631", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "\u0627\u0644\u0642\u0627\u062f\u0645", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "\u0627\u0644\u0645\u0633\u0644\u0633\u0644\u0627\u062a", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "\u0627\u0644\u062d\u0644\u0642\u0627\u062a", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u0627\u0646\u0648\u0627\u0639", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u0627\u0644\u0646\u0627\u0633", - "ButtonAdd": "Add", - "TabNetworks": "\u0627\u0644\u0634\u0628\u0643\u0627\u062a", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "\u0627\u0644\u0627\u0635\u062f\u0627\u0631 \u0627\u0644\u0631\u0633\u0645\u0649", - "LabelEvent": "Event:", - "OptionBeta": "\u0628\u064a\u062a\u0627", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "\u062a\u0637\u0648\u0631\u0649 (\u063a\u064a\u0631 \u0645\u0633\u062a\u0642\u0631)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "\u062e\u0631\u0648\u062c", + "LabelVisitCommunity": "\u0632\u064a\u0627\u0631\u0629 \u0627\u0644\u0645\u062c\u062a\u0645\u0639", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u0642\u064a\u0627\u0633\u0649", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "\u062a\u0635\u0641\u062d \u0627\u0644\u0645\u0643\u062a\u0628\u0629", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "\u0641\u062a\u062d \u0645\u062a\u0635\u062d\u0641 \u0627\u0644\u0645\u0643\u062a\u0628\u0629", + "LabelRestartServer": "\u0627\u0639\u0627\u062f\u0629 \u062a\u0634\u063a\u064a\u0644 \u0627\u0644\u062e\u0627\u062f\u0645", + "LabelShowLogWindow": "\u0639\u0631\u0636 \u0646\u0627\u0641\u0630\u0629 \u0627\u0644\u0633\u062c\u0644", + "LabelPrevious": "\u0627\u0644\u0633\u0627\u0628\u0642", + "LabelFinish": "\u0627\u0646\u062a\u0647\u0627\u0621", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u0627\u0644\u062a\u0627\u0644\u0649", + "LabelYoureDone": "\u062a\u0645 \u0627\u0644\u0627\u0646\u062a\u0647\u0627\u0621!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "\u0645\u0631\u0634\u062f \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a \u0633\u064a\u0633\u0627\u0639\u062f\u0643 \u062e\u0644\u0627\u0644 \u062e\u0637\u0648\u0627\u062a \u0639\u0645\u0644\u064a\u0629 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a. \u0644\u0644\u0628\u062f\u0621, \u0627\u0644\u0631\u062c\u0627\u0621 \u0627\u062e\u062a\u064a\u0627\u0631 \u0644\u063a\u062a\u0643 \u0627\u0644\u0645\u0641\u0636\u0644\u0629.", + "TellUsAboutYourself": "\u0627\u062e\u0628\u0631\u0646\u0627 \u0639\u0646 \u0646\u0641\u0633\u0643", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "\u0627\u0633\u0645\u0643 \u0627\u0644\u0627\u0648\u0644:", + "MoreUsersCanBeAddedLater": "\u0627\u0644\u0645\u0632\u064a\u062f \u0645\u0646 \u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646 \u064a\u0645\u0643\u0646 \u0627\u0636\u0627\u0641\u062a\u0647\u0645 \u0644\u0627\u062d\u0642\u0627 \u0645\u0646 \u0644\u0648\u062d\u0629 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "\u062e\u062f\u0645\u0629 \u0627\u0644\u0648\u0646\u062f\u0648\u0632", + "AWindowsServiceHasBeenInstalled": "\u062a\u0645 \u062a\u062b\u0628\u064a\u062a \u062e\u062f\u0645\u0629 \u0627\u0644\u0648\u0646\u062f\u0648\u0632", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u0636\u0628\u0637 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a", + "LabelEnableVideoImageExtraction": "\u062a\u0641\u0639\u064a\u0644 \u0627\u0633\u062a\u062e\u0631\u0627\u062c \u0635\u0648\u0631 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "\u0645\u0648\u0627\u0641\u0642", + "ButtonCancel": "\u0627\u0644\u063a\u0627\u0621", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "\u0627\u0639\u062f\u0627\u062f \u0645\u0643\u062a\u0628\u0629 \u0627\u0644\u0648\u0633\u0627\u0626\u0637", + "ButtonAddMediaFolder": "\u0627\u0636\u0627\u0641\u0629 \u0645\u062c\u0644\u062f \u0644\u0644\u0648\u0633\u0627\u0626\u0637", + "LabelFolderType": "\u0646\u0648\u0639 \u0627\u0644\u0645\u062c\u0644\u062f:", + "ReferToMediaLibraryWiki": "\u0627\u0644\u0631\u062c\u0648\u0639 \u0627\u0644\u0649 wiki \u0644\u0645\u0643\u062a\u0628\u0629 \u0627\u0644\u0648\u0633\u0627\u0626\u0637", + "LabelCountry": "\u0627\u0644\u0628\u0644\u062f:", + "LabelLanguage": "\u0627\u0644\u0644\u063a\u0629:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a:", + "LabelSaveLocalMetadata": "\u062d\u0641\u0638 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0641\u0649 \u0645\u062c\u0644\u062f\u0627\u062a \u0627\u0644\u0648\u0633\u0627\u0626\u0637", + "LabelSaveLocalMetadataHelp": "\u0628\u062d\u0642\u0638 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0645\u0628\u0627\u0634\u0631\u0629 \u0641\u0649 \u0645\u062c\u0644\u062f\u0627\u062a \u0627\u0644\u0648\u0633\u0627\u0626\u0637 \u0633\u064a\u0633\u0647\u0644 \u0639\u0644\u064a\u0643 \u0627\u0644\u0648\u0635\u0648\u0644 \u0648\u0639\u0645\u0644 \u0627\u0644\u062a\u0639\u062f\u064a\u0644\u0627\u0627\u062a \u0639\u0644\u064a\u0647\u0627.", + "LabelDownloadInternetMetadata": "\u062a\u062d\u0645\u064a\u0644 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0645\u0646 \u0627\u0644\u0627\u0646\u062a\u0631\u0646\u062a", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u062a\u0641\u0636\u064a\u0644\u0627\u062a", + "TabPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", + "TabLibraryAccess": "\u0627\u0644\u062f\u062e\u0648\u0644 \u0627\u0644\u0649 \u0627\u0644\u0645\u0643\u062a\u0628\u0629", + "TabAccess": "Access", + "TabImage": "\u0635\u0648\u0631\u0629", + "TabProfile": "\u0633\u062c\u0644", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "\u0627\u0639\u062f\u0627\u062f\u0627\u062a \u062a\u0634\u063a\u064a\u0644 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0644\u0635\u0648\u062a:", + "LabelSubtitleLanguagePreference": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0644\u062a\u0631\u062c\u0645\u0629:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "\u0641\u0644\u062a\u0631\u0627\u062a:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u0641\u0644\u062a\u0631", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "\u0627\u0644\u0645\u0641\u0636\u0644\u0627\u062a", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u0645\u062d\u0628\u0628", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "\u0645\u0643\u0631\u0648\u0647", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u0633\u062c\u0644 (\u0646\u0628\u0630\u0629)", + "TabSecurity": "\u062d\u0645\u0627\u064a\u0629", + "ButtonAddUser": "\u0627\u0636\u0627\u0641\u0629 \u0645\u0633\u062a\u062e\u062f\u0645", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "\u062a\u062e\u0632\u064a\u0646", + "ButtonResetPassword": "\u0645\u0633\u062d \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", + "LabelNewPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u062c\u062f\u064a\u062f\u0629:", + "LabelNewPasswordConfirm": "\u062a\u0627\u0643\u064a\u062f \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0627\u0644\u062c\u062f\u064a\u062f\u0629:", + "HeaderCreatePassword": "\u0627\u0646\u0634\u0627\u0621 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", + "LabelCurrentPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0627\u0644\u062d\u0627\u0644\u064a\u0629", + "LabelMaxParentalRating": "\u0627\u0644\u062d\u062f \u0627\u0644\u0627\u0642\u0635\u0649 \u0644\u0644\u062a\u0635\u0646\u064a\u0641 \u0627\u0644\u0645\u0633\u0645\u0648\u062d \u0628\u0647 \u0644\u0644\u0631\u0642\u0627\u0628\u0629 \u0627\u0644\u0627\u0628\u0648\u064a\u0629:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "\u0627\u0632\u0627\u0644\u0629 \u0635\u0648\u0631\u0629", + "LabelSelectUsers": "Select users:", + "ButtonUpload": "\u062a\u062d\u0645\u064a\u0644", + "HeaderUploadNewImage": "\u062a\u062d\u0645\u064a\u0644 \u0635\u0648\u0631\u0629 \u062c\u062f\u064a\u062f\u0629", + "LabelDropImageHere": "\u0627\u0633\u0642\u0627\u0637 \u0627\u0644\u0635\u0648\u0631\u0629 \u0647\u0646\u0627", + "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", + "MessageNothingHere": "\u0644\u0627 \u0634\u0649\u0621 \u0647\u0646\u0627.", + "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", + "TabSuggested": "\u0645\u0642\u062a\u0631\u062d", + "TabSuggestions": "Suggestions", + "TabLatest": "\u0627\u0644\u0627\u062e\u064a\u0631", + "TabUpcoming": "\u0627\u0644\u0642\u0627\u062f\u0645", + "TabShows": "\u0627\u0644\u0645\u0633\u0644\u0633\u0644\u0627\u062a", + "TabEpisodes": "\u0627\u0644\u062d\u0644\u0642\u0627\u062a", + "TabGenres": "\u0627\u0646\u0648\u0627\u0639", + "TabPeople": "\u0627\u0644\u0646\u0627\u0633", + "TabNetworks": "\u0627\u0644\u0634\u0628\u0643\u0627\u062a", + "HeaderUsers": "\u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646", + "HeaderFilters": "\u0641\u0644\u062a\u0631\u0627\u062a:", + "ButtonFilter": "\u0641\u0644\u062a\u0631", + "OptionFavorite": "\u0627\u0644\u0645\u0641\u0636\u0644\u0627\u062a", + "OptionLikes": "\u0645\u062d\u0628\u0628", + "OptionDislikes": "\u0645\u0643\u0631\u0648\u0647", "OptionActors": "\u0627\u0644\u0645\u0645\u062b\u0644\u0648\u0646", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "\u0636\u064a\u0648\u0641", - "HeaderCredits": "Credits", "OptionDirectors": "\u0627\u0644\u0645\u062e\u0631\u062c\u0648\u0646", - "TabCollections": "Collections", "OptionWriters": "\u0645\u0624\u0644\u0641\u0648\u0646", - "TabFavorites": "Favorites", "OptionProducers": "\u0645\u0646\u062a\u062c\u0648\u0646", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "\u0627\u0633\u062a\u0623\u0646\u0641", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "\u0627\u0644\u062a\u0627\u0644\u0649", "NoNextUpItemsMessage": "\u0644\u0645 \u064a\u062a\u0645 \u0627\u064a\u062c\u0627\u062f \u0634\u0649\u0621, \u0627\u0628\u062f\u0627 \u0628\u0645\u0634\u0627\u0647\u062f\u0629 \u0628\u0631\u0627\u0645\u062c\u0643!", "HeaderLatestEpisodes": "\u0627\u062d\u062f\u062b \u0627\u0644\u062d\u0644\u0642\u0627\u062a", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u0645\u0648\u0633\u064a\u0642\u0649 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", "ButtonSort": "\u062a\u0631\u062a\u064a\u0628", "HeaderSortBy": "\u062a\u0631\u062a\u064a\u0628 \u062d\u0633\u0628:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "\u0646\u0638\u0627\u0645 \u0627\u0644\u062a\u0631\u062a\u064a\u0628:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "\u0645\u0639\u0632\u0648\u0641", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u063a\u064a\u0631 \u0645\u0639\u0632\u0648\u0641", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "\u062a\u0635\u0627\u0639\u062f\u0649", "OptionDescending": "\u062a\u0646\u0627\u0632\u0644\u0649", "OptionRuntime": "\u0632\u0645\u0646 \u0627\u0644\u062a\u0634\u063a\u064a\u0644", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "\u0639\u062f\u062f \u0627\u0644\u062a\u0634\u063a\u064a\u0644", "OptionDatePlayed": "\u062a\u0627\u0631\u064a\u062e \u0627\u0644\u062a\u0634\u063a\u064a\u0644", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u062a\u0627\u0631\u064a\u062e \u0627\u0644\u0627\u0636\u0627\u0641\u0629", - "HeaderTV": "TV", "OptionAlbumArtist": "\u0627\u0644\u0628\u0648\u0645 \u0627\u0644\u0641\u0646\u0627\u0646", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "\u0641\u0646\u0627\u0646", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "\u0627\u0644\u0628\u0648\u0645", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u0627\u0633\u0645 \u0627\u0644\u0627\u063a\u0646\u064a\u0629", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "\u062a\u0635\u0646\u064a\u0641 \u0627\u0644\u0645\u062c\u062a\u0645\u0639", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "\u0627\u0633\u0645", + "OptionFolderSort": "Folders", "OptionBudget": "\u0645\u064a\u0632\u0627\u0646\u064a\u0629", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "\u0627\u064a\u0631\u0627\u062f\u0627\u062a", "OptionPoster": "\u0627\u0644\u0645\u0644\u0635\u0642", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "\u0627\u0637\u0627\u0631 \u0632\u0645\u0646\u0649", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "\u062a\u0635\u0646\u064a\u0641 \u0627\u0644\u0646\u0627\u0642\u062f", "OptionVideoBitrate": "\u0645\u0639\u062f\u0644 \u0627\u0644\u0628\u062a \u0644\u0644\u0641\u064a\u062f\u064a\u0648", "OptionResumable": "\u062a\u0643\u0645\u0644\u0629", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u062c\u062f\u0648\u0644\u0629 \u0627\u0644\u0645\u0647\u0627\u0645", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "\u0645\u0631\u0634\u062f \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a \u0633\u064a\u0633\u0627\u0639\u062f\u0643 \u062e\u0644\u0627\u0644 \u062e\u0637\u0648\u0627\u062a \u0639\u0645\u0644\u064a\u0629 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a. \u0644\u0644\u0628\u062f\u0621, \u0627\u0644\u0631\u062c\u0627\u0621 \u0627\u062e\u062a\u064a\u0627\u0631 \u0644\u063a\u062a\u0643 \u0627\u0644\u0645\u0641\u0636\u0644\u0629.", - "TellUsAboutYourself": "\u0627\u062e\u0628\u0631\u0646\u0627 \u0639\u0646 \u0646\u0641\u0633\u0643", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "\u0627\u0633\u0645\u0643 \u0627\u0644\u0627\u0648\u0644:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u0627\u0644\u0645\u0632\u064a\u062f \u0645\u0646 \u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645\u064a\u0646 \u064a\u0645\u0643\u0646 \u0627\u0636\u0627\u0641\u062a\u0647\u0645 \u0644\u0627\u062d\u0642\u0627 \u0645\u0646 \u0644\u0648\u062d\u0629 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "\u062e\u062f\u0645\u0629 \u0627\u0644\u0648\u0646\u062f\u0648\u0632", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "\u062a\u0645 \u062a\u062b\u0628\u064a\u062a \u062e\u062f\u0645\u0629 \u0627\u0644\u0648\u0646\u062f\u0648\u0632", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "\u0636\u0628\u0637 \u0627\u0644\u0627\u0639\u062f\u0627\u062f\u0627\u062a", - "LabelEnableVideoImageExtraction": "\u062a\u0641\u0639\u064a\u0644 \u0627\u0633\u062a\u062e\u0631\u0627\u062c \u0635\u0648\u0631 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "\u0645\u0648\u0627\u0641\u0642", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u0627\u0644\u063a\u0627\u0621", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "\u0627\u0639\u062f\u0627\u062f \u0645\u0643\u062a\u0628\u0629 \u0627\u0644\u0648\u0633\u0627\u0626\u0637", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "\u0627\u0636\u0627\u0641\u0629 \u0645\u062c\u0644\u062f \u0644\u0644\u0648\u0633\u0627\u0626\u0637", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u0646\u0648\u0639 \u0627\u0644\u0645\u062c\u0644\u062f:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "\u0627\u0644\u0631\u062c\u0648\u0639 \u0627\u0644\u0649 wiki \u0644\u0645\u0643\u062a\u0628\u0629 \u0627\u0644\u0648\u0633\u0627\u0626\u0637", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u0627\u0644\u0628\u0644\u062f:", - "LabelLanguage": "\u0627\u0644\u0644\u063a\u0629:", - "HeaderPreferredMetadataLanguage": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u062d\u0641\u0638 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0641\u0649 \u0645\u062c\u0644\u062f\u0627\u062a \u0627\u0644\u0648\u0633\u0627\u0626\u0637", - "LabelSaveLocalMetadataHelp": "\u0628\u062d\u0642\u0638 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0645\u0628\u0627\u0634\u0631\u0629 \u0641\u0649 \u0645\u062c\u0644\u062f\u0627\u062a \u0627\u0644\u0648\u0633\u0627\u0626\u0637 \u0633\u064a\u0633\u0647\u0644 \u0639\u0644\u064a\u0643 \u0627\u0644\u0648\u0635\u0648\u0644 \u0648\u0639\u0645\u0644 \u0627\u0644\u062a\u0639\u062f\u064a\u0644\u0627\u0627\u062a \u0639\u0644\u064a\u0647\u0627.", - "LabelDownloadInternetMetadata": "\u062a\u062d\u0645\u064a\u0644 \u0627\u0644\u0627\u0639\u0645\u0627\u0644 \u0627\u0644\u0641\u0646\u064a\u0629 \u0648\u0648\u0627\u0635\u0641\u0627\u062a \u0627\u0644\u0628\u064a\u0627\u0646\u0627\u062a \u0645\u0646 \u0627\u0644\u0627\u0646\u062a\u0631\u0646\u062a", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "\u062e\u0631\u0648\u062c", - "OptionBanner": "Banner", - "LabelVisitCommunity": "\u0632\u064a\u0627\u0631\u0629 \u0627\u0644\u0645\u062c\u062a\u0645\u0639", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "\u0642\u064a\u0627\u0633\u0649", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "\u062a\u0635\u0641\u062d \u0627\u0644\u0645\u0643\u062a\u0628\u0629", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "\u0641\u062a\u062d \u0645\u062a\u0635\u062d\u0641 \u0627\u0644\u0645\u0643\u062a\u0628\u0629", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "\u0627\u0639\u0627\u062f\u0629 \u062a\u0634\u063a\u064a\u0644 \u0627\u0644\u062e\u0627\u062f\u0645", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "\u0639\u0631\u0636 \u0646\u0627\u0641\u0630\u0629 \u0627\u0644\u0633\u062c\u0644", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "\u0627\u0644\u0633\u0627\u0628\u0642", "TabMovies": "Movies", - "LabelFinish": "\u0627\u0646\u062a\u0647\u0627\u0621", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "\u0627\u0644\u062a\u0627\u0644\u0649", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "\u062a\u0645 \u0627\u0644\u0627\u0646\u062a\u0647\u0627\u0621!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "\u062a\u0627\u0631\u064a\u062e \u0627\u0644\u0639\u0631\u0636", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "\u062a\u0641\u0636\u064a\u0644\u0627\u062a", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "\u0627\u0644\u0627\u062d\u062f", - "LabelArtists": "Artists:", - "TabLibraryAccess": "\u0627\u0644\u062f\u062e\u0648\u0644 \u0627\u0644\u0649 \u0627\u0644\u0645\u0643\u062a\u0628\u0629", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "\u0627\u0644\u0627\u062b\u0646\u064a\u0646", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "\u0635\u0648\u0631\u0629", - "TabActivityLog": "Activity Log", "OptionTuesday": "\u0627\u0644\u062b\u0644\u0627\u062b\u0627\u0621", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "\u0633\u062c\u0644", - "HeaderName": "Name", "OptionWednesday": "\u0627\u0644\u0627\u0631\u0628\u0639\u0627\u0621", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "\u0627\u0644\u062e\u0645\u064a\u0633", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "\u0627\u0644\u062c\u0645\u0639\u0629", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "\u0627\u0639\u062f\u0627\u062f\u0627\u062a \u062a\u0634\u063a\u064a\u0644 \u0627\u0644\u0641\u064a\u062f\u064a\u0648", - "HeaderDestination": "Destination", "OptionSaturday": "\u0627\u0644\u0633\u0628\u062a", - "LabelAudioLanguagePreference": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0644\u0635\u0648\u062a:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "\u0627\u0644\u0644\u063a\u0629 \u0627\u0644\u0645\u0641\u0636\u0644\u0629 \u0644\u0644\u062a\u0631\u062c\u0645\u0629:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "\u0633\u062c\u0644 (\u0646\u0628\u0630\u0629)", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "\u062d\u0645\u0627\u064a\u0629", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "\u0627\u0636\u0627\u0641\u0629 \u0645\u0633\u062a\u062e\u062f\u0645", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "\u062a\u062e\u0632\u064a\u0646", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "\u0645\u0633\u062d \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u062c\u062f\u064a\u062f\u0629:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "\u062a\u0627\u0643\u064a\u062f \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0627\u0644\u062c\u062f\u064a\u062f\u0629:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "\u0627\u0646\u0634\u0627\u0621 \u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "\u0643\u0644\u0645\u0629 \u0627\u0644\u0633\u0631 \u0627\u0644\u062d\u0627\u0644\u064a\u0629", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "\u0627\u0644\u062d\u062f \u0627\u0644\u0627\u0642\u0635\u0649 \u0644\u0644\u062a\u0635\u0646\u064a\u0641 \u0627\u0644\u0645\u0633\u0645\u0648\u062d \u0628\u0647 \u0644\u0644\u0631\u0642\u0627\u0628\u0629 \u0627\u0644\u0627\u0628\u0648\u064a\u0629:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "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", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/bg-BG.json b/MediaBrowser.Server.Implementations/Localization/Server/bg-BG.json index 1a941f1793..fc0b3eddb9 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/bg-BG.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/bg-BG.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "\u0414\u043e\u0431\u0440\u0435 \u0434\u043e\u0448\u043b\u0438 \u0432 Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "LabelNumberOfGuideDaysHelp": "\u0418\u0437\u0442\u0435\u0433\u043b\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430 \u0437\u0430\u043f\u043e\u0432\u0435\u0447\u0435 \u0434\u043d\u0438 \u0434\u0430\u0432\u0430 \u0432\u044a\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442 \u0434\u0430 \u043f\u043b\u0430\u043d\u0438\u0440\u0430\u0442\u0435 \u043f\u043e-\u043d\u0430\u0442\u0430\u0442\u044a\u0448\u043d\u0438\u0442\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u043f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u043d\u043e, \u043d\u043e \u0438 \u043e\u0442\u043d\u0435\u043c\u0430 \u043f\u043e\u0432\u0435\u0447\u0435 \u0432\u0440\u0435\u043c\u0435, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u0438\u0437\u0442\u0435\u0433\u043b\u0438. \u0410\u0432\u0442\u043e\u043c\u0430\u0442 \u0449\u0435 \u0438\u0437\u0431\u0435\u0440\u0435 \u0432\u044a\u0437 \u043e\u0441\u043d\u043e\u0432\u0430 \u043d\u0430 \u0431\u0440\u043e\u044f \u043d\u0430 \u043a\u0430\u043d\u0430\u043b\u0438\u0442\u0435.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby \u0440\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043e\u0442 \u043f\u043e\u0432\u0435\u0447\u0435\u0442\u043e \u0433\u043b\u0430\u0432\u043d\u0438 \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f. \u0418\u0437\u0431\u043e\u0440\u044a\u0442 \u043d\u0430 \u043a\u043e\u043d\u0432\u0435\u043d\u0446\u0438\u044f \u0437\u0430 \u0441\u0432\u0430\u043b\u044f\u043d\u0435 \u0435 \u043f\u043e\u043b\u0435\u0437\u0435\u043d \u0430\u043a\u043e \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442\u0435 \u0438 \u0434\u0440\u0443\u0433\u0438 \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u0438.", - "OptionImageSavingCompatible": "\u0421\u044a\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u043e - \u0415mby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0438 - MB2", - "OptionAutomatic": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442", - "ButtonCreate": "Create", - "ButtonSignIn": "\u0412\u043b\u0438\u0437\u0430\u043d\u0435", - "LiveTvPluginRequired": "\u041d\u0435\u0431\u0445\u043e\u0434\u0438\u043c\u0430 \u0435 \u043f\u0440\u0438\u0441\u0442\u0430\u0432\u043a\u0430 \u0437\u0430 \u0433\u043b\u0435\u0434\u0430\u043d\u0435 \u043d\u0430 \u0442\u0435\u043b\u0435\u0432\u0438\u0437\u0438\u044f \u043d\u0430 \u0436\u0438\u0432\u043e, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438.", - "TitleSignIn": "\u0412\u043b\u0438\u0437\u0430\u043d\u0435", - "LiveTvPluginRequiredHelp": "\u041c\u043e\u043b\u044f, \u0438\u043d\u0441\u0442\u0430\u043b\u0438\u0440\u0430\u0439\u0442\u0435 \u043d\u044f\u043a\u043e\u044f \u043e\u0442 \u043d\u0430\u043b\u0438\u0447\u043d\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0430\u0432\u043a\u0438, \u043a\u0430\u0442\u043e \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440 Next Pvr \u0438\u043b\u0438 ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "\u041c\u043e\u043b\u044f, \u0432\u043b\u0435\u0437\u0442\u0435", - "LabelUser": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "\u0414\u0440\u0443\u0433\u0438", - "LabelPassword": "\u041f\u0430\u0440\u043e\u043b\u0430:", - "OptionDownloadThumbImage": "\u041c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", - "LabelExternalDDNSHelp": "\u0410\u043a\u043e \u0438\u043c\u0430\u0442\u0435 \u0434\u0438\u043d\u0430\u043c\u0438\u0447\u0435\u043d DNS \u0433\u043e \u0432\u044a\u0432\u0435\u0434\u0435\u0442\u0435 \u0442\u0443\u043a. Emby \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0442\u0430 \u0449\u0435 \u0433\u043e \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442 \u043f\u0440\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d\u043e \u0441\u0432\u044a\u0440\u0437\u0432\u0430\u043d\u0435. \u041e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043f\u0440\u0430\u0437\u043d\u043e \u0437\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043e\u0442\u043a\u0440\u0438\u0432\u0430\u043d\u0435.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "\u0412\u0445\u043e\u0434 \u0441 \u0438\u043c\u0435 \u0438 \u043f\u0430\u0440\u043e\u043b\u0430", - "OptionDownloadMenuImage": "\u041c\u0435\u043d\u044e", - "TabResume": "Resume", - "PasswordLocalhostMessage": "\u041f\u0430\u0440\u043e\u043b\u0438\u0442\u0435 \u043d\u0435 \u0441\u0430 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u043d\u0438, \u043a\u043e\u0433\u0430\u0442\u043e \u0432\u043b\u0438\u0437\u0430\u0442\u0435 \u043e\u0442 localhost", - "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "\u041a\u0443\u0442\u0438\u044f", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "\u0418\u0437\u0442\u0440\u0438\u0439 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "\u041a\u0430\u0447\u0438:", - "OptionDownloadBannerImage": "\u0411\u0430\u043d\u0435\u0440", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "\u041a\u0430\u0447\u0438 \u041d\u043e\u0432\u043e \u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435:", - "OptionDownloadBackImage": "\u0417\u0430\u0434\u043d\u0430 \u0447\u0430\u0441\u0442", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "\u041f\u0443\u0441\u043d\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435\u0442\u043e \u0442\u0443\u043a", - "OptionDownloadArtImage": "\u0418\u0437\u043a\u0443\u0441\u0442\u0432\u043e", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 \u043f\u0440\u0435\u043f\u043e\u0440\u044a\u0447\u0430\u043d\u0430 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u044f. \u0421\u0430\u043c\u043e JPG\/PNG", - "OptionDownloadPrimaryImage": "\u041a\u043e\u0440\u0438\u0446\u0430", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "\u0422\u0443\u043a \u043d\u044f\u043c\u0430 \u043d\u0438\u0449\u043e.", - "HeaderFetchImages": "\u0421\u0432\u0430\u043b\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "\u041c\u043e\u043b\u044f, \u0443\u0432\u0435\u0440\u0435\u0442\u0435 \u0441\u0435 \u0447\u0435 \u0441\u0432\u0430\u043b\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043e\u0442 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e.", - "HeaderImageSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u0430\u0442\u0430", - "TabSuggested": "\u041f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u044f", - "LabelMaxBackdropsPerItem": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u0435\u043d \u0431\u0440\u043e\u0439 \u0444\u043e\u043d\u043e\u0432\u0435 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f:", - "TabLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438", - "LabelMaxScreenshotsPerItem": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u0435\u043d \u0431\u0440\u043e\u0439 \u0441\u043a\u0440\u0438\u0439\u043d\u0448\u043e\u0442\u0438 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f:", - "TabUpcoming": "\u041f\u0440\u0435\u0434\u0441\u0442\u043e\u044f\u0449\u0438", - "LabelMinBackdropDownloadWidth": "\u041c\u0438\u043d\u0438\u043c\u0430\u043b\u043d\u0430 \u0448\u0438\u0440\u043e\u0447\u0438\u043d\u0430 \u043d\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u0438\u044f \u0444\u043e\u043d:", - "TabShows": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", - "LabelMinScreenshotDownloadWidth": "\u041c\u0438\u043d\u0438\u043c\u0430\u043b\u043d\u0430 \u0448\u0438\u0440\u043e\u0447\u0438\u043d\u0430 \u043d\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u0438\u044f \u0441\u043a\u0440\u0438\u0439\u043d\u0448\u043e\u0442:", - "TabEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", - "ButtonAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0441\u043f\u0443\u0441\u044a\u043a", - "TabGenres": "\u0416\u0430\u043d\u0440\u043e\u0432\u0435", - "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0441\u043f\u0443\u0441\u044a\u043a", - "TabPeople": "\u0425\u043e\u0440\u0430", - "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438", - "TabNetworks": "\u041c\u0440\u0435\u0436\u0438", - "LabelTriggerType": "\u0422\u0438\u043f \u043d\u0430 \u0441\u043f\u0443\u0441\u044a\u043a\u0430:", - "OptionDaily": "\u0414\u043d\u0435\u0432\u043d\u043e", - "OptionWeekly": "\u0421\u0435\u0434\u043c\u0438\u0447\u043d\u043e", - "OptionOnInterval": "\u041f\u0440\u0435\u0437 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b", - "OptionOnAppStartup": "\u041a\u0430\u0442\u043e \u0441\u0435 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u0442\u043e", - "ButtonHelp": "\u041f\u043e\u043c\u043e\u0449", - "OptionAfterSystemEvent": "\u0421\u043b\u0435\u0434 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e \u0441\u044a\u0431\u0438\u0442\u0438\u0435", - "LabelDay": "\u0414\u0435\u043d:", - "LabelTime": "\u0412\u0440\u0435\u043c\u0435:", - "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u043d\u043e \u0438\u0437\u0434\u0430\u043d\u0438\u0435", - "LabelEvent": "\u0421\u044a\u0431\u0438\u0442\u0438\u0435:", - "OptionBeta": "\u0411\u0435\u0442\u0430", - "OptionWakeFromSleep": "\u0421\u044a\u0431\u0443\u0436\u0434\u0430\u043d\u0435 \u043e\u0442 \u0441\u044a\u043d", - "ButtonInviteUser": "\u041f\u043e\u043a\u0430\u043d\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", - "OptionDev": "\u0417\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438 (\u041d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u0435\u043d)", - "LabelEveryXMinutes": "\u041d\u0430 \u0432\u0441\u0435\u043a\u0438:", - "HeaderTvTuners": "\u0422\u0443\u043d\u0435\u0440\u0438", - "CategorySync": "Sync", - "HeaderGallery": "\u0413\u0430\u043b\u0435\u0440\u0438\u044f", - "HeaderLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0418\u0433\u0440\u0438", - "RegisterWithPayPal": "Register with PayPal", - "HeaderRecentlyPlayedGames": "\u0421\u043a\u043e\u0440\u043e \u0418\u0433\u0440\u0430\u043d\u0438 \u0418\u0433\u0440\u0438", - "TabGameSystems": "\u0418\u0433\u0440\u043e\u0432\u0438 \u0421\u0438\u0441\u0442\u0435\u043c\u0438", - "TitleMediaLibrary": "\u041c\u0435\u0434\u0438\u0439\u043d\u0430 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", - "TabFolders": "\u041f\u0430\u043f\u043a\u0438", - "TabPathSubstitution": "\u0417\u0430\u043c\u0435\u0441\u0442\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u044a\u0442", - "LabelSeasonZeroDisplayName": "\u0418\u043c\u0435 \u043d\u0430 \u0421\u0435\u0437\u043e\u043d 0:", - "LabelEnableRealtimeMonitor": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043d\u0430\u0431\u043b\u044e\u0434\u0435\u043d\u0438\u0435 \u0432 \u0440\u0435\u0430\u043b\u043d\u043e \u0432\u0440\u0435\u043c\u0435", - "LabelEnableRealtimeMonitorHelp": "\u041f\u0440\u043e\u043c\u0435\u043d\u0438\u0442\u0435 \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u0435\u043d\u0438 \u0432\u0435\u0434\u043d\u0430\u0433\u0430, \u043d\u0430 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0438 \u0441\u0438\u0441\u0442\u0435\u043c\u0438.", - "ButtonScanLibrary": "\u0421\u043a\u0430\u043d\u0438\u0440\u0430\u0439 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", - "HeaderNumberOfPlayers": "\u041f\u043b\u0435\u0439\u044a\u0440\u0438:", - "OptionAnyNumberOfPlayers": "\u0412\u0441\u0435\u043a\u0438", + "LabelExit": "\u0418\u0437\u043b\u0435\u0437", + "LabelVisitCommunity": "\u041f\u043e\u0441\u0435\u0442\u0438 \u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u0442\u043e", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e", "LabelApiDocumentation": "API \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430\u0446\u0438\u044f", - "Option2Player": "2+", "LabelDeveloperResources": "\u0420\u0435\u0441\u0443\u0440\u0441\u0438 \u0437\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0439\u043d\u0438 \u041f\u0430\u043f\u043a\u0438", - "HeaderThemeVideos": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "HeaderThemeSongs": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043f\u0435\u0441\u043d\u0438", - "HeaderScenes": "\u0421\u0446\u0435\u043d\u0438", - "HeaderAwardsAndReviews": "\u041d\u0430\u0433\u0440\u0430\u0434\u0438 \u0438 \u0440\u0435\u0432\u044e\u0442\u0430", - "HeaderSoundtracks": "\u0424\u0438\u043b\u043c\u043e\u0432\u0430 \u043c\u0443\u0437\u0438\u043a\u0430", - "LabelManagement": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435:", - "HeaderMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "HeaderSpecialFeatures": "\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u043d\u0438 \u0414\u043e\u0431\u0430\u0432\u043a\u0438", + "LabelBrowseLibrary": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", + "LabelConfigureServer": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u0439 Emby", + "LabelOpenLibraryViewer": "\u041e\u0442\u0432\u043e\u0440\u0438 \u043f\u0440\u0435\u0433\u043b\u0435\u0434 \u043d\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", + "LabelRestartServer": "\u0420\u0435\u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u0439 \u0441\u044a\u0440\u0432\u044a\u0440\u0430", + "LabelShowLogWindow": "\u041f\u043e\u043a\u0430\u0436\u0438 \u043b\u043e\u0433\u043e\u0432\u0438\u044f \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446", + "LabelPrevious": "\u041f\u0440\u0435\u0434\u0438\u0448\u0435\u043d", + "LabelFinish": "\u041a\u0440\u0430\u0439", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u0421\u043b\u0435\u0434\u0432\u0430\u0449", + "LabelYoureDone": "\u0413\u043e\u0442\u043e\u0432\u0438 \u0441\u0442\u0435!", + "WelcomeToProject": "\u0414\u043e\u0431\u0440\u0435 \u0434\u043e\u0448\u043b\u0438 \u0432 Emby!", + "ThisWizardWillGuideYou": "\u0422\u043e\u0437\u0438 \u043c\u0430\u0433\u044c\u043e\u0441\u043d\u0438\u043a \u0449\u0435 \u0432\u0438 \u043d\u0430\u043f\u044a\u0442\u0441\u0442\u0432\u0430 \u043f\u0440\u0435\u0437 \u043f\u0440\u043e\u0446\u0435\u0441\u0430 \u043d\u0430 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f. \u0417\u0430 \u0434\u0430 \u0437\u0430\u043f\u043e\u0447\u043d\u0435\u0442\u0435, \u043c\u043e\u043b\u044f \u0438\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f \u043e\u0442 \u0432\u0430\u0441 \u0435\u0437\u0438\u043a.", + "TellUsAboutYourself": "\u0420\u0430\u0437\u043a\u0430\u0436\u0435\u0442\u0435 \u0437\u0430 \u0441\u0435\u0431\u0435 \u0441\u0438", + "ButtonQuickStartGuide": "\u0420\u044a\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e \u0437\u0430 \u0431\u044a\u0440\u0437\u043e \u0437\u0430\u043f\u043e\u0447\u0432\u0430\u043d\u0435", + "LabelYourFirstName": "\u041f\u044a\u0440\u0432\u043e\u0442\u043e \u0432\u0438 \u0438\u043c\u0435:", + "MoreUsersCanBeAddedLater": "\u041f\u043e\u0432\u0435\u0447\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0434\u043e\u0431\u0430\u0432\u0435\u043d\u0438 \u043f\u043e-\u043a\u044a\u0441\u043d\u043e \u043e\u0442 \u0433\u043b\u0430\u0432\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b.", + "UserProfilesIntro": "Emby \u0432\u043a\u043b\u044e\u0447\u0432\u0430 \u0432\u0433\u0440\u0430\u0434\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430 \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u043f\u0440\u043e\u0444\u0438\u043b\u0438, \u043a\u043e\u0438\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0432\u0430\u0442 \u043d\u0430 \u0432\u0441\u0435\u043a\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0442\u0435\u043b \u0434\u0430 \u0438\u043c\u0430 \u0441\u0432\u043e\u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u0430\u0442\u0430, \u043c\u044f\u0441\u0442\u043e \u043d\u0430 \u043f\u0443\u0441\u043a\u0430\u043d\u0435 \u0438 \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "Windows Service \u0431\u0435\u0448\u0435 \u0438\u043d\u0441\u0442\u0430\u043b\u0438\u0440\u0430\u043d.", + "WindowsServiceIntro1": "\u041d\u043e\u0440\u043c\u0430\u043b\u043d\u043e, Emby \u0421\u044a\u0440\u0432\u044a\u0440 \u0440\u0430\u0431\u043e\u0442\u0438 \u043a\u0430\u0442\u043e \u0434\u0435\u0441\u043a\u0442\u043e\u043f \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430 \u0441 \u0442\u0440\u0435\u0439 \u0438\u043a\u043e\u043d\u0430, \u043d\u043e \u0432 \u0441\u043b\u0443\u0447\u0430\u0439, \u0447\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0442\u0435 \u0440\u0430\u0431\u043e\u0442\u0430 \u043a\u0430\u0442\u043e \u0443\u0441\u043b\u0443\u0433\u0430 \u043c\u043e\u0436\u0435\u0442\u0435 \u0434\u0430 \u0433\u043e \u043f\u0443\u0441\u043d\u0435\u0442\u0435 \u043e\u0442 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b \u043d\u0430 windows \u0443\u0441\u043b\u0443\u0433\u0438\u0442\u0435.", + "WindowsServiceIntro2": "\u0410\u043a\u043e \u043f\u043e\u043b\u0437\u0432\u0430\u0442\u0435 Windows \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430, \u043c\u043e\u043b\u044f, \u0438\u043c\u0430\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u0432\u0438\u0434, \u0447\u0435 \u0442\u043e\u0439 \u043d\u0435 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0431\u044a\u0434\u0435 \u043f\u0443\u0441\u043d\u0430\u0442 \u0434\u043e\u043a\u0430\u0442\u043e \u044f \u0438\u043c\u0430 \u0438\u043a\u043e\u043d\u0430\u0442\u0430 \u0432 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 ,\u0442\u0430\u043a\u0430 \u0447\u0435 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0438\u0437\u043b\u0435\u0437\u0435\u0442\u0435 \u043e\u0442 \u043d\u0435\u044f, \u0437\u0430 \u0434\u0430 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430. \u0423\u0441\u043b\u0443\u0433\u0430\u0442\u0430 \u0441\u044a\u0449\u043e \u0442\u0430\u043a\u0430 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0431\u044a\u0434\u0435 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u043d\u0430 \u0441 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u0438\u0432\u043d\u0438 \u043f\u0440\u0438\u0432\u0438\u043b\u0435\u0433\u0438\u0438 \u0447\u0440\u0435\u0437 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b. \u041c\u043e\u043b\u044f, \u0438\u043c\u0430\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u0432\u0438\u0434, \u0447\u0435 \u0432 \u0442\u043e\u0437\u0438 \u043c\u043e\u043c\u0435\u043d\u0442 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430 \u043d\u0435 \u0435 \u0432 \u0441\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u0430 \u0441\u0435 \u0430\u043a\u0442\u0443\u0430\u043b\u0438\u0437\u0438\u0440\u0430 \u0441\u0430\u043c\u043e\u0441\u0442\u043e\u044f\u0442\u0435\u043b\u043d\u043e, \u0442\u0430\u043a\u0430 \u0447\u0435 \u043d\u043e\u0432\u0438\u0442\u0435 \u0432\u0435\u0440\u0441\u0438\u0438 \u0449\u0435 \u0438\u0437\u0438\u0441\u043a\u0432\u0430\u0442 \u0440\u044a\u0447\u043d\u043e \u0432\u0437\u0430\u0438\u043c\u043e\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435.", + "WizardCompleted": "\u0422\u043e\u0432\u0430 \u0435 \u0432\u0441\u0438\u0447\u043a\u043e \u043e\u0442 \u043a\u043e\u0435\u0442\u043e \u0441\u0435 \u043d\u0443\u0436\u0434\u0430\u0435\u043c \u0437\u0430 \u043c\u043e\u043c\u0435\u043d\u0442\u0430. Emby \u0435 \u0437\u0430\u043f\u043e\u0447\u043d\u0430\u043b \u0434\u0430 \u0441\u044a\u0431\u0438\u0440\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0437\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0432\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430. \u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439\u0442\u0435 \u043d\u044f\u043a\u043e\u0438 \u043e\u0442 \u043d\u0430\u0448\u0438\u0442\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u043f\u043e\u0441\u043b\u0435 \u043d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 \u0413\u043e\u0442\u043e\u0432\u043e<\/b>, \u0437\u0430 \u0434\u0430 \u0432\u0438\u0434\u0438\u0442\u0435 Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u0439 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", + "LabelEnableVideoImageExtraction": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0438\u0437\u0432\u043b\u0438\u0447\u0430\u043d\u0435 \u043d\u0430 \u0432\u0438\u0434\u0435\u043e \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f.", + "VideoImageExtractionHelp": "\u0417\u0430 \u0432\u0438\u0434\u0435\u043e\u043a\u043b\u0438\u043f\u043e\u0432\u0435, \u043a\u043e\u0438\u0442\u043e \u0432\u0441\u0435 \u043e\u0449\u0435 \u043d\u0435 \u0440\u0430\u0437\u043f\u043e\u043b\u0430\u0433\u0430\u0442 \u0441 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f, \u0438 \u0437\u0430 \u043a\u043e\u0438\u0442\u043e \u043d\u0435 \u0441\u043c\u0435 \u0432 \u0441\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u0430 \u043d\u0430\u043c\u0435\u0440\u0438\u043c \u0442\u0430\u043a\u0438\u0432\u0430. \u0422\u043e\u0432\u0430 \u0449\u0435 \u0434\u043e\u0431\u0430\u0432\u0438 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e \u0432\u0440\u0435\u043c\u0435 \u043a\u044a\u043c \u043f\u044a\u0440\u0432\u043e\u043d\u0430\u0447\u0430\u043b\u043d\u043e\u0442\u043e \u0441\u043a\u0430\u043d\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430, \u043d\u043e \u0449\u0435 \u0434\u043e\u0432\u0435\u0434\u0435 \u0434\u043e \u043f\u043e-\u043f\u0440\u0438\u044f\u0442\u0435\u043d \u0432\u0438\u0434.", + "LabelEnableChapterImageExtractionForMovies": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u0438\u0437\u0432\u043b\u0438\u0447\u0430\u043d\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u0437\u0430 \u0424\u0438\u043b\u043c\u0438.", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0430 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043d\u0430 \u043f\u043e\u0440\u0442\u043e\u0432\u0435\u0442\u0435", + "LabelEnableAutomaticPortMappingHelp": "UPnP \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0432\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0430 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f \u043d\u0430 \u0440\u0443\u0442\u0435\u0440\u0430 \u0437\u0430 \u043b\u0435\u0441\u0435\u043d \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u0434\u043e\u0441\u0442\u044a\u043f. \u0422\u043e\u0432\u0430 \u043c\u043e\u0436\u0435 \u0434\u0430 \u043d\u0435 \u0440\u0430\u0431\u043e\u0442\u0438 \u0441 \u043d\u044f\u043a\u043e\u0438 \u0440\u0443\u0442\u0435\u0440\u0438.", + "HeaderTermsOfService": "Emby \u0443\u0441\u043b\u043e\u0432\u0438\u044f \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", + "MessagePleaseAcceptTermsOfService": "\u041c\u043e\u043b\u044f \u043f\u0440\u0438\u0435\u043c\u0435\u0442\u0435 \u0443\u0441\u043b\u043e\u0432\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435 \u0438 \u0434\u0435\u043a\u043b\u0430\u0440\u0430\u0446\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u0432\u0435\u0440\u0438\u0442\u0435\u043b\u043d\u043e\u0441\u0442, \u043f\u0440\u0435\u0434\u0438 \u0434\u0430 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435.", + "OptionIAcceptTermsOfService": "\u041f\u0440\u0438\u0435\u043c\u0430\u043c \u0443\u0441\u043b\u043e\u0432\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", + "ButtonPrivacyPolicy": "\u0414\u0435\u043a\u043b\u0430\u0440\u0430\u0446\u0438\u044f \u0437\u0430 \u043f\u043e\u0432\u0435\u0440\u0438\u0442\u0435\u043b\u043d\u043e\u0441\u0442", + "ButtonTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", "HeaderDeveloperOptions": "\u041e\u043f\u0446\u0438\u0438 \u0437\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438", - "HeaderCastCrew": "\u0415\u043a\u0438\u043f", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u0427\u0430\u0441\u0442\u0438", "OptionEnableWebClientResponseCache": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043a\u0435\u0448\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043e\u0442\u0433\u043e\u0432\u043e\u0440\u0438\u0442\u0435 \u043d\u0430 \u0443\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442\u0438\u0442\u0435", - "LabelLocalHttpServerPortNumberHelp": "TCP \u043f\u043e\u0440\u0442\u044a\u0442 \u043d\u0430 \u043a\u043e\u0439\u0442\u043e HTTP \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u0430 Emby \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0435 \u0437\u0430\u043a\u0430\u0447\u0438.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u0439\u0442\u0435 \u0442\u0435\u0437\u0438 \u0441\u043f\u043e\u0440\u0435\u0434 \u043d\u0443\u0436\u0434\u0438\u0442\u0435 \u0437\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043a\u0430 \u043d\u0430 \u0443\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442\u0438.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u0441\u043c\u0430\u043b\u044f\u0432\u0430\u043d\u0435(\u043c\u0438\u043d\u0438\u0444\u0438\u043a\u0430\u0446\u0438\u044f) \u043d\u0430 \u0440\u0435\u0441\u0443\u0440\u0441\u0438\u0442\u0435 \u043d\u0430 \u0443\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442\u0430", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "\u0413\u043b\u0430\u0432\u0435\u043d \u043f\u044a\u0442 \u043a\u044a\u043c \u0443\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442\u0430", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "\u0410\u043a\u043e \u043f\u0443\u0441\u043a\u0430\u0442\u0435 \u0441\u044a\u0440\u0432\u044a\u0440\u0430 \u043e\u0442 \u0438\u0437\u0445\u043e\u0434\u0435\u043d \u043a\u043e\u0434, \u043f\u043e\u0441\u043e\u0447\u0435\u0442\u0435 \u043f\u044a\u0442\u044f \u043a\u044a\u043c \u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043d\u0430 \u0433\u043b\u0430\u0432\u043d\u043e\u0442\u043e \u0442\u0430\u0431\u043b\u043e. \u0412\u0441\u0438\u0447\u043a\u0438 \u0443\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442\u0438 \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u043e\u0431\u0441\u043b\u0443\u0436\u0432\u0430\u043d\u0438 \u043e\u0442 \u0442\u0430\u043c.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "\u041a\u043e\u043d\u0432\u0435\u0440\u0442\u0438\u0440\u0430\u0439 \u043c\u0435\u0434\u0438\u044f\u0442\u0430", + "ButtonOrganize": "\u041e\u0440\u0433\u0430\u043d\u0438\u0437\u0438\u0440\u0430\u0439", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "\u0417\u0430 \u0434\u0430 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043a\u043e\u0439\u0442\u043e \u043d\u0435 \u0435 \u0432 \u043b\u0438\u0441\u0442\u0438\u0442\u0435, \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u043f\u044a\u0440\u0432\u043e \u0434\u0430 \u0437\u0430\u043a\u0430\u0447\u0438\u0442\u0435 \u0442\u0435\u0445\u043d\u0438\u044f \u043f\u0440\u043e\u0444\u0438\u043b \u043a\u044a\u043c Emby Connect \u043e\u0442 \u0442\u044f\u0445\u043d\u0430\u0442\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "\u041e\u043a", + "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438", + "ButtonExit": "Exit", + "ButtonNew": "\u041d\u043e\u0432", + "HeaderTV": "TV", + "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", + "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", "HeaderPaths": "\u041f\u044a\u0442\u0438\u0449\u0430", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "\u041d\u0430\u043f\u0440\u0430\u0432\u0438 \u0434\u0430\u0440\u0435\u043d\u0438\u0435 \u0441 PayPal", + "OptionDetectArchiveFilesAsMedia": "\u0420\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430\u043d\u0435 \u043d\u0430 \u0430\u0440\u0445\u0438\u0432\u0438 \u043a\u0430\u0442\u043e \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435", + "OptionDetectArchiveFilesAsMediaHelp": "\u0410\u043a\u043e \u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u043e, \u0444\u0430\u0439\u043b\u043e\u0432\u0435 \u0441 \u0440\u0430\u0437\u0448\u0438\u0440\u0435\u043d\u0438\u044f .rar \u0438 .zip \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0440\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430\u043d\u0438 \u043a\u0430\u0442\u043e \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "\u0421\u0438\u043d\u0445\u0440. \u0417\u0430\u0434\u0430\u0447\u0430", + "FolderTypeMovies": "\u0424\u0438\u043b\u043c\u0438", + "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", + "FolderTypeAdultVideos": "\u041a\u043b\u0438\u043f\u043e\u0432\u0435 \u0437\u0430 \u0432\u044a\u0437\u0440\u0430\u0441\u0442\u043d\u0438", + "FolderTypePhotos": "\u0421\u043d\u0438\u043c\u043a\u0438", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "FolderTypeGames": "\u0418\u0433\u0440\u0438", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "\u041d\u0430\u0441\u043b\u0435\u0434\u0438", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "\u0422\u0438\u043f \u043d\u0430 \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435\u0442\u043e:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u0430\u043d\u0438 \u0437\u0430\u0434\u0430\u0447\u0438", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "\u041a\u0430\u0440\u0442\u0430 \u043f\u043b\u0430\u043a\u0430\u0442", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "\u041a\u0430\u0440\u0442\u0430 \u043c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u043a\u043e\u043d\u0442\u0440\u043e\u043b \u043d\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0435\u043d\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "DLNA \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441\u0435 \u0441\u0447\u0438\u0442\u0430\u0442 \u0437\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0435\u043d\u0438 \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u044f\u043a\u043e\u0439 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043d\u0435 \u0437\u0430\u043f\u043e\u0447\u043d\u0435 \u0434\u0430 \u0433\u0438 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u0438\u0440\u0430.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "\u041e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u041a\u043e\u043d\u0442\u0440\u043e\u043b", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0441\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", + "ButtonAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043c\u0435\u0434\u0438\u0439\u043d\u0430 \u043f\u0430\u043f\u043a\u0430", + "LabelFolderType": "\u0422\u0438\u043f \u043d\u0430 \u043f\u0430\u043f\u043a\u0430\u0442\u0430:", + "ReferToMediaLibraryWiki": "\u0414\u043e\u043f\u0438\u0442\u0430\u0439\u0442\u0435 \u0441\u0435 \u0434\u043e wiki \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430\u0442\u0430 \u043d\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", + "LabelCountry": "\u0421\u0442\u0440\u0430\u043d\u0430:", + "LabelLanguage": "\u0415\u0437\u0438\u043a:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "\u041f\u0440\u0438\u0441\u044a\u0435\u0434\u0438\u043d\u0435\u0442\u0435 \u0441\u0435 \u043a\u044a\u043c \u043e\u0442\u0431\u043e\u0440\u0430 \u043d\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438\u0442\u0435", + "HeaderPreferredMetadataLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430:", + "LabelSaveLocalMetadata": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0432 \u043f\u0430\u043f\u043a\u0430\u0442\u0430 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f\u0442\u0430", + "LabelSaveLocalMetadataHelp": "\u0417\u0430\u043f\u043e\u043c\u043d\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0434\u0438\u0440\u0435\u043a\u0442\u043d\u043e \u0432 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u043f\u0430\u043f\u043a\u0438 \u0449\u0435 \u0433\u0438 \u0441\u043b\u043e\u0436\u0438 \u043d\u0430 \u043c\u044f\u0441\u0442\u043e, \u043a\u044a\u0434\u0435\u0442\u043e \u043b\u0435\u0441\u043d\u043e \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0438.", + "LabelDownloadInternetMetadata": "\u0421\u0432\u0430\u043b\u044f\u0439 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043e\u0442 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442", + "LabelDownloadInternetMetadataHelp": "Emby Server \u043c\u043e\u0436\u0435 \u0434\u0430 \u0441\u0432\u0430\u043b\u044f \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0437\u0430 \u043a\u0440\u0430\u0441\u0438\u0432\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0432\u0430\u0448\u0430\u0442\u0430 \u043c\u0435\u0434\u0438\u044f.", + "TabPreferences": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f", + "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u0430", + "TabLibraryAccess": "\u0414\u043e\u0441\u044a\u043f \u0434\u043e \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", + "TabAccess": "\u0414\u043e\u0441\u0442\u044a\u043f", + "TabImage": "\u041a\u0430\u0440\u0442\u0438\u043d\u0430", + "TabProfile": "\u041f\u0440\u043e\u0444\u0438\u043b", + "TabMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", + "TabImages": "\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f", + "TabNotifications": "\u0418\u0437\u0432\u0435\u0441\u0442\u0438\u044f", + "TabCollectionTitles": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u044f", + "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0442\u0430", + "OptionEnableAccessFromAllDevices": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u043e\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "OptionEnableAccessToAllChannels": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0432\u0441\u0438\u0447\u043a\u0438 \u043a\u0430\u043d\u0430\u043b\u0438", + "OptionEnableAccessToAllLibraries": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0432\u0441\u0438\u0447\u043a\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0438", + "DeviceAccessHelp": "\u0422\u043e\u0432\u0430 \u0441\u0435 \u043e\u0442\u043d\u0430\u0441\u044f \u0441\u0430\u043c\u043e \u0437\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430, \u043a\u043e\u0438\u0442\u043e \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0440\u0430\u0437\u043b\u0438\u0447\u0435\u043d\u0438 \u0438 \u043d\u044f\u043c\u0430 \u0434\u0430 \u043f\u043e\u043f\u0440\u0435\u0447\u0438 \u043d\u0430 \u0434\u043e\u0441\u0442\u044a\u043f \u043e\u0442 \u0431\u0440\u0430\u0443\u0437\u044a\u0440. \u0424\u0438\u043b\u0442\u0440\u0438\u0440\u0430\u043d\u0435\u0442\u043e \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0449\u0435 \u043f\u0440\u0435\u0434\u043e\u0442\u0432\u0440\u0430\u0442\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435\u0442\u043e \u0438\u043c \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u0435 \u0431\u044a\u0434\u0430\u0442 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u0438 \u0442\u0443\u043a.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u0439 \u043b\u0438\u043f\u0441\u0432\u0430\u0449\u0438 \u0435\u043f\u0438\u0437\u043e\u0434\u0438 \u0432 \u0441\u0435\u0437\u043e\u043d\u0438\u0442\u0435", + "LabelUnairedMissingEpisodesWithinSeasons": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u0439 \u043d\u0435\u0438\u0437\u043b\u044a\u0447\u0435\u043d\u0438 \u0435\u043f\u0438\u0437\u043e\u0434\u0438 \u0432 \u0441\u0435\u0437\u043e\u043d\u0438\u0442\u0435", + "HeaderVideoPlaybackSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u0432\u044a\u0437\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0436\u0434\u0430\u043d\u0435\u0442\u043e \u043d\u0430 \u0432\u0438\u0434\u0435\u043e", + "HeaderPlaybackSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u0432\u044a\u0437\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0436\u0434\u0430\u043d\u0435\u0442\u043e", + "LabelAudioLanguagePreference": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0430\u0443\u0434\u0438\u043e\u0442\u043e:", + "LabelSubtitleLanguagePreference": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438\u0442\u0435:", "OptionDefaultSubtitles": "\u041f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", "OptionOnlyForcedSubtitles": "\u0421\u0430\u043c\u043e \u043f\u0440\u0438\u043d\u0443\u0434\u0438\u0442\u0435\u043b\u043d\u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "HeaderFilters": "\u0424\u0438\u043b\u0442\u0440\u0438:", "OptionAlwaysPlaySubtitles": "\u0412\u0438\u043d\u0430\u0433\u0438 \u043f\u043e\u043a\u0430\u0437\u0432\u0430\u0439 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u0424\u0438\u043b\u0442\u044a\u0440", + "OptionNoSubtitles": "\u0411\u0435\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438", "OptionDefaultSubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u043e\u0442\u0433\u043e\u0432\u0430\u0440\u044f\u0449\u0438 \u043d\u0430 \u0435\u0437\u0438\u043a\u043e\u0432\u0438\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u043f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0438, \u043a\u043e\u0433\u0430\u0442\u043e \u0430\u0443\u0434\u0438\u043e\u0442\u043e \u0435 \u043d\u0430 \u0434\u0440\u0443\u0433 \u0435\u0437\u0438\u043a.", - "OptionFavorite": "\u041b\u044e\u0431\u0438\u043c\u0438:", "OptionOnlyForcedSubtitlesHelp": "\u0421\u0430\u043c\u043e \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438, \u043c\u0430\u0440\u043a\u0438\u0440\u0430\u043d\u0438 \u043a\u0430\u0442\u043e \u043f\u0440\u0438\u043d\u0443\u0434\u0438\u0442\u0435\u043b\u043d\u0438, \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0438", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u0425\u0430\u0440\u0435\u0441\u0432\u0430\u043d\u0438\u044f", "OptionAlwaysPlaySubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438, \u043e\u0442\u0433\u043e\u0432\u0430\u0440\u044f\u0449\u0438 \u043d\u0430 \u0435\u0437\u0438\u043a\u043e\u0432\u043e\u0442\u043e \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u0435, \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0438 \u043d\u0435\u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e \u043e\u0442 \u0435\u0437\u0438\u043a\u0430 \u043d\u0430 \u0430\u0443\u0434\u0438\u043e\u0442\u043e.", - "OptionDislikes": "\u041d\u0435\u0445\u0430\u0440\u0435\u0441\u0432\u0430\u043d\u0438\u044f", "OptionNoSubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0438 \u043f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435.", - "LabelHttpsPortHelp": "TCP \u043f\u043e\u0440\u0442\u044a\u0442 \u043d\u0430 \u043a\u043e\u0439\u0442\u043e HTTPS \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u0430 Emby \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0435 \u0437\u0430\u043a\u0430\u0447\u0438.", + "TabProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438", + "TabSecurity": "\u0417\u0430\u0449\u0438\u0442\u0430", + "ButtonAddUser": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", + "ButtonAddLocalUser": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043b\u043e\u043a\u0430\u043b\u0435\u043d \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", + "ButtonInviteUser": "\u041f\u043e\u043a\u0430\u043d\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", + "ButtonSave": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438", + "ButtonResetPassword": "\u041d\u0443\u043b\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043f\u0430\u0440\u043e\u043b\u0430", + "LabelNewPassword": "\u041d\u043e\u0432\u0430 \u043f\u0430\u0440\u043e\u043b\u0430:", + "LabelNewPasswordConfirm": "\u041d\u043e\u0432\u0430 \u043f\u0430\u0440\u043e\u043b\u0430(\u043e\u0442\u043d\u043e\u0432\u043e):", + "HeaderCreatePassword": "\u041d\u0430\u043f\u0440\u0430\u0432\u0438 \u043f\u0430\u0440\u043e\u043b\u0430", + "LabelCurrentPassword": "\u0422\u0435\u043a\u0443\u0449\u0430 \u043f\u0430\u0440\u043e\u043b\u0430:", + "LabelMaxParentalRating": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u043d\u043e \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0440\u0435\u0439\u0442\u0438\u043d\u0433:", + "MaxParentalRatingHelp": "\u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435 \u0441 \u043f\u043e-\u0432\u0438\u0441\u043e\u043a \u0440\u0435\u0439\u0442\u0438\u043d\u0433 \u0449\u0435 \u0431\u044a\u0434\u0435 \u0441\u043a\u0440\u0438\u0442\u043e \u043e\u0442 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b.", + "LibraryAccessHelp": "\u0418\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u043f\u0430\u043f\u043a\u0438, \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0438\u0442\u0435 \u0441 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0438\u0442\u0435 \u0449\u0435 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u043f\u0430\u043f\u043a\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u043c\u0435\u043d\u0438\u0434\u0436\u044a\u0440\u0430 \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f.", + "ChannelAccessHelp": "\u0418\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u0438\u0442\u0435, \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0438\u0442\u0435 \u0441 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0438\u0442\u0435 \u0449\u0435 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u043a\u0430\u043d\u0430\u043b\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u043c\u0435\u043d\u0438\u0434\u0436\u044a\u0440\u0430 \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f.", + "ButtonDeleteImage": "\u0418\u0437\u0442\u0440\u0438\u0439 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", + "LabelSelectUsers": "\u0418\u0437\u0431\u0435\u0440\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438:", + "ButtonUpload": "\u041a\u0430\u0447\u0438:", + "HeaderUploadNewImage": "\u041a\u0430\u0447\u0438 \u041d\u043e\u0432\u043e \u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435:", + "LabelDropImageHere": "\u041f\u0443\u0441\u043d\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435\u0442\u043e \u0442\u0443\u043a", + "ImageUploadAspectRatioHelp": "1:1 \u043f\u0440\u0435\u043f\u043e\u0440\u044a\u0447\u0430\u043d\u0430 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u044f. \u0421\u0430\u043c\u043e JPG\/PNG", + "MessageNothingHere": "\u0422\u0443\u043a \u043d\u044f\u043c\u0430 \u043d\u0438\u0449\u043e.", + "MessagePleaseEnsureInternetMetadata": "\u041c\u043e\u043b\u044f, \u0443\u0432\u0435\u0440\u0435\u0442\u0435 \u0441\u0435 \u0447\u0435 \u0441\u0432\u0430\u043b\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043e\u0442 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e.", + "TabSuggested": "\u041f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u0438\u044f", + "TabSuggestions": "Suggestions", + "TabLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438", + "TabUpcoming": "\u041f\u0440\u0435\u0434\u0441\u0442\u043e\u044f\u0449\u0438", + "TabShows": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", + "TabEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", + "TabGenres": "\u0416\u0430\u043d\u0440\u043e\u0432\u0435", + "TabPeople": "\u0425\u043e\u0440\u0430", + "TabNetworks": "\u041c\u0440\u0435\u0436\u0438", + "HeaderUsers": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", + "HeaderFilters": "\u0424\u0438\u043b\u0442\u0440\u0438:", + "ButtonFilter": "\u0424\u0438\u043b\u0442\u044a\u0440", + "OptionFavorite": "\u041b\u044e\u0431\u0438\u043c\u0438:", + "OptionLikes": "\u0425\u0430\u0440\u0435\u0441\u0432\u0430\u043d\u0438\u044f", + "OptionDislikes": "\u041d\u0435\u0445\u0430\u0440\u0435\u0441\u0432\u0430\u043d\u0438\u044f", "OptionActors": "\u0410\u043a\u0442\u044c\u043e\u0440\u0438", - "TangibleSoftwareMessage": "\u0418\u0437\u043f\u043e\u043b\u0437\u0430\u043d\u0435 \u043d\u0430 Tangible Solutions Java\/C# converters \u0447\u0440\u0435\u0437 \u0434\u0430\u0440\u0435\u043d \u043b\u0438\u0446\u0435\u043d\u0437.", "OptionGuestStars": "\u0413\u043e\u0441\u0442\u0443\u0432\u0430\u0449\u0438 \u0437\u0432\u0435\u0437\u0434\u0438", - "HeaderCredits": "\u041a\u0440\u0435\u0434\u0438\u0442\u0438", "OptionDirectors": "\u0420\u0435\u0436\u0438\u0441\u044c\u043e\u0440\u0438", - "TabCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0438\u0438", "OptionWriters": "\u041f\u0438\u0441\u0430\u0442\u0435\u043b\u0438", - "TabFavorites": "\u041b\u044e\u0431\u0438\u043c\u0438", "OptionProducers": "\u041f\u0440\u043e\u0434\u0443\u0446\u0435\u043d\u0442\u0438", - "TabMyLibrary": "\u041c\u043e\u044f\u0442\u0430 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", - "HeaderServices": "Services", "HeaderResume": "\u041f\u0440\u043e\u0436\u044a\u043b\u0436\u0438", - "LabelCustomizeOptionsPerMediaType": "\u041f\u0435\u0440\u0441\u043e\u043d\u0430\u043b\u0438\u0437\u0438\u0440\u0430\u043d\u0435 \u0437\u0430 \u0442\u0438\u043f \u043c\u0435\u0434\u0438\u044f:", "HeaderNextUp": "\u0421\u043b\u0435\u0434\u0432\u0430", "NoNextUpItemsMessage": "\u041d\u0438\u0449\u043e \u043d\u0435 \u0435 \u043d\u0430\u043c\u0435\u0440\u0435\u043d\u043e. \u0417\u0430\u043f\u043e\u0447\u043d\u0435\u0442\u0435 \u0434\u0430 \u0433\u043b\u0435\u0434\u0430\u0442\u0435 \u0432\u0430\u0448\u0438\u0442\u0435 \u043f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f!", "HeaderLatestEpisodes": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0415\u043f\u0438\u0437\u043e\u0434\u0438", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", "ButtonSort": "\u041f\u043e\u0434\u0440\u0435\u0434\u0438", "HeaderSortBy": "\u041f\u043e\u0434\u0440\u0435\u0434\u0438 \u043f\u043e:", - "OptionEnableAccessToAllChannels": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0432\u0441\u0438\u0447\u043a\u0438 \u043a\u0430\u043d\u0430\u043b\u0438", "HeaderSortOrder": "\u0420\u0435\u0434 \u043d\u0430 \u043f\u043e\u0434\u0440\u0435\u0434\u0431\u0430:", - "LabelAutomaticUpdates": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438\u0442\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", "OptionPlayed": "\u041f\u0443\u0441\u043a\u0430\u043d\u0438", - "LabelFanartApiKey": "\u041b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447:", "OptionUnplayed": "\u041d\u0435 \u043f\u0443\u0441\u043a\u0430\u043d\u0438", - "LabelFanartApiKeyHelp": "\u0417\u0430\u044f\u0432\u043a\u0438 \u0434\u043e fanart \u0431\u0435\u0437 \u043b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447 \u0432\u0440\u044a\u0449\u0430\u0442 \u0440\u0435\u0437\u0443\u043b\u0442\u0430\u0442\u0438, \u043a\u043e\u0438\u0442\u043e \u0441\u0430 \u0431\u0438\u043b\u0438 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u0438 \u043f\u0440\u0435\u0434\u0438 \u043f\u043e\u0432\u0435\u0447\u0435 \u043e\u0442 7 \u0434\u043d\u0438. \u0421 \u043b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447, \u0442\u043e\u0432\u0430 \u0432\u0440\u0435\u043c\u0435 \u043f\u0430\u0434\u0430 \u043d\u0430 48 \u0447\u0430\u0441\u0430, \u0430 \u0430\u043a\u043e \u0441\u0442\u0435 \u0438 fanart VIP \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b, \u0442\u043e \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e \u0449\u0435 \u043f\u0430\u0434\u043d\u0435 \u0434\u043e \u043e\u043a\u043e\u043b\u043e 10 \u043c\u0438\u043d\u0443\u0442\u0438.", "OptionAscending": "\u0412\u044a\u0437\u0445\u043e\u0434\u044f\u0449", "OptionDescending": "\u041d\u0438\u0437\u0445\u043e\u0434\u044f\u0449", "OptionRuntime": "\u0412\u0440\u0435\u043c\u0435\u0442\u0440\u0430\u0435\u043d\u0435", + "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u0438\u0437\u0434\u0430\u0432\u0430\u043d\u0435", "OptionPlayCount": "\u0411\u0440\u043e\u0439 \u043f\u0443\u0441\u043a\u0430\u043d\u0438\u044f", "OptionDatePlayed": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043f\u0443\u0441\u043a\u0430\u043d\u0435", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u0434\u043e\u0431\u0430\u0432\u044f\u043d\u0435", - "HeaderTV": "TV", "OptionAlbumArtist": "\u0410\u043b\u0431\u0443\u043c\u043e\u0432 \u0410\u0440\u0442\u0438\u0441\u0442", - "HeaderTermsOfService": "Emby \u0443\u0441\u043b\u043e\u0432\u0438\u044f \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "\u0420\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430\u043d\u0435 \u043d\u0430 \u0430\u0440\u0445\u0438\u0432\u0438 \u043a\u0430\u0442\u043e \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435", "OptionArtist": "\u0410\u0440\u0442\u0438\u0441\u0442", - "MessagePleaseAcceptTermsOfService": "\u041c\u043e\u043b\u044f \u043f\u0440\u0438\u0435\u043c\u0435\u0442\u0435 \u0443\u0441\u043b\u043e\u0432\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435 \u0438 \u0434\u0435\u043a\u043b\u0430\u0440\u0430\u0446\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u0432\u0435\u0440\u0438\u0442\u0435\u043b\u043d\u043e\u0441\u0442, \u043f\u0440\u0435\u0434\u0438 \u0434\u0430 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435.", - "OptionDetectArchiveFilesAsMediaHelp": "\u0410\u043a\u043e \u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u043e, \u0444\u0430\u0439\u043b\u043e\u0432\u0435 \u0441 \u0440\u0430\u0437\u0448\u0438\u0440\u0435\u043d\u0438\u044f .rar \u0438 .zip \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0440\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430\u043d\u0438 \u043a\u0430\u0442\u043e \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435.", "OptionAlbum": "\u0410\u043b\u0431\u0443\u043c", - "OptionIAcceptTermsOfService": "\u041f\u0440\u0438\u0435\u043c\u0430\u043c \u0443\u0441\u043b\u043e\u0432\u0438\u044f\u0442\u0430 \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u0418\u043c\u0435 \u043d\u0430 \u043f\u0435\u0441\u0435\u043d\u0442\u0430:", - "ButtonPrivacyPolicy": "\u0414\u0435\u043a\u043b\u0430\u0440\u0430\u0446\u0438\u044f \u0437\u0430 \u043f\u043e\u0432\u0435\u0440\u0438\u0442\u0435\u043b\u043d\u043e\u0441\u0442", - "LabelSelectUsers": "\u0418\u0437\u0431\u0435\u0440\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438:", "OptionCommunityRating": "\u041e\u0431\u0449\u0435\u0441\u0442\u0432\u0435\u043d\u0430 \u043e\u0449\u0435\u043d\u043a\u0430", - "ButtonTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u0437\u0430 \u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435", "OptionNameSort": "Name", + "OptionFolderSort": "\u041f\u0430\u043f\u043a\u0438", "OptionBudget": "\u0411\u044e\u0434\u0436\u0435\u0442", - "OptionHideUserFromLoginHelp": "\u041f\u043e\u043b\u0435\u0437\u043d\u043e \u0437\u0430 \u0447\u0430\u0441\u0442\u043d\u0438 \u0438\u043b\u0438 \u0441\u043a\u0440\u0438\u0442\u0438 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0441\u043a\u0438 \u0430\u043a\u0430\u0443\u043d\u0442\u0438. \u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u044f\u0442 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0432\u043b\u0435\u0437\u0435 \u0440\u044a\u0447\u043d\u043e \u0447\u0440\u0435\u0437 \u0432\u044a\u0432\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u043e \u0438\u043c\u0435 \u0438 \u043f\u0430\u0440\u043e\u043b\u0430.", "OptionRevenue": "\u041f\u0440\u0438\u0445\u043e\u0434\u0438", "OptionPoster": "\u041f\u043b\u0430\u043a\u0430\u0442", + "OptionPosterCard": "\u041a\u0430\u0440\u0442\u0430 \u043f\u043b\u0430\u043a\u0430\u0442", + "OptionBackdrop": "\u0424\u043e\u043d", "OptionTimeline": "\u0413\u0440\u0430\u0444\u0438\u043a", + "OptionThumb": "\u041c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", + "OptionThumbCard": "\u041a\u0430\u0440\u0442\u0430 \u043c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", + "OptionBanner": "\u0411\u0430\u043d\u0435\u0440", "OptionCriticRating": "\u041e\u0446\u0435\u043d\u043a\u0430 \u043d\u0430 \u043a\u0440\u0438\u0442\u0438\u0446\u0438\u0442\u0435", "OptionVideoBitrate": "\u0412\u0438\u0434\u0435\u043e \u0431\u0438\u0442\u0440\u0435\u0439\u0442", "OptionResumable": "\u0412\u044a\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u044f\u0435\u043c\u043e\u0441\u0442", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u041f\u043b\u0430\u043d\u0438\u0440\u0430\u043d\u0438 \u0417\u0430\u0434\u0430\u0447\u0438", "TabMyPlugins": "\u041c\u043e\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0430\u0432\u043a\u0438", "TabCatalog": "\u041a\u0430\u0442\u0430\u043b\u043e\u0433", - "ThisWizardWillGuideYou": "\u0422\u043e\u0437\u0438 \u043c\u0430\u0433\u044c\u043e\u0441\u043d\u0438\u043a \u0449\u0435 \u0432\u0438 \u043d\u0430\u043f\u044a\u0442\u0441\u0442\u0432\u0430 \u043f\u0440\u0435\u0437 \u043f\u0440\u043e\u0446\u0435\u0441\u0430 \u043d\u0430 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f. \u0417\u0430 \u0434\u0430 \u0437\u0430\u043f\u043e\u0447\u043d\u0435\u0442\u0435, \u043c\u043e\u043b\u044f \u0438\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f \u043e\u0442 \u0432\u0430\u0441 \u0435\u0437\u0438\u043a.", - "TellUsAboutYourself": "\u0420\u0430\u0437\u043a\u0430\u0436\u0435\u0442\u0435 \u0437\u0430 \u0441\u0435\u0431\u0435 \u0441\u0438", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u0412\u044a\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", - "LabelYourFirstName": "\u041f\u044a\u0440\u0432\u043e\u0442\u043e \u0432\u0438 \u0438\u043c\u0435:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u041f\u043e\u0432\u0435\u0447\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0434\u043e\u0431\u0430\u0432\u0435\u043d\u0438 \u043f\u043e-\u043a\u044a\u0441\u043d\u043e \u043e\u0442 \u0433\u043b\u0430\u0432\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b.", "HeaderNowPlaying": "\u0421\u0435\u0433\u0430 \u0412\u044a\u0437\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0436\u0434\u0430\u043d\u043e:", - "UserProfilesIntro": "Emby \u0432\u043a\u043b\u044e\u0447\u0432\u0430 \u0432\u0433\u0440\u0430\u0434\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430 \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u043f\u0440\u043e\u0444\u0438\u043b\u0438, \u043a\u043e\u0438\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0432\u0430\u0442 \u043d\u0430 \u0432\u0441\u0435\u043a\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0442\u0435\u043b \u0434\u0430 \u0438\u043c\u0430 \u0441\u0432\u043e\u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u0430\u0442\u0430, \u043c\u044f\u0441\u0442\u043e \u043d\u0430 \u043f\u0443\u0441\u043a\u0430\u043d\u0435 \u0438 \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438.", "HeaderLatestAlbums": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0410\u043b\u0431\u0443\u043c\u0438", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u041f\u0435\u0441\u043d\u0438", - "ButtonExit": "Exit", - "ButtonConvertMedia": "\u041a\u043e\u043d\u0432\u0435\u0440\u0442\u0438\u0440\u0430\u0439 \u043c\u0435\u0434\u0438\u044f\u0442\u0430", - "AWindowsServiceHasBeenInstalled": "Windows Service \u0431\u0435\u0448\u0435 \u0438\u043d\u0441\u0442\u0430\u043b\u0438\u0440\u0430\u043d.", "HeaderRecentlyPlayed": "\u0421\u043a\u043e\u0440\u043e \u041f\u0443\u0441\u043a\u0430\u043d\u0438", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "\u041d\u043e\u0440\u043c\u0430\u043b\u043d\u043e, Emby \u0421\u044a\u0440\u0432\u044a\u0440 \u0440\u0430\u0431\u043e\u0442\u0438 \u043a\u0430\u0442\u043e \u0434\u0435\u0441\u043a\u0442\u043e\u043f \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430 \u0441 \u0442\u0440\u0435\u0439 \u0438\u043a\u043e\u043d\u0430, \u043d\u043e \u0432 \u0441\u043b\u0443\u0447\u0430\u0439, \u0447\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0442\u0435 \u0440\u0430\u0431\u043e\u0442\u0430 \u043a\u0430\u0442\u043e \u0443\u0441\u043b\u0443\u0433\u0430 \u043c\u043e\u0436\u0435\u0442\u0435 \u0434\u0430 \u0433\u043e \u043f\u0443\u0441\u043d\u0435\u0442\u0435 \u043e\u0442 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b \u043d\u0430 windows \u0443\u0441\u043b\u0443\u0433\u0438\u0442\u0435.", "HeaderFrequentlyPlayed": "\u0427\u0435\u0441\u0442\u043e \u041f\u0443\u0441\u043a\u0430\u043d\u0438", - "ButtonOrganize": "\u041e\u0440\u0433\u0430\u043d\u0438\u0437\u0438\u0440\u0430\u0439", - "WindowsServiceIntro2": "\u0410\u043a\u043e \u043f\u043e\u043b\u0437\u0432\u0430\u0442\u0435 Windows \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430, \u043c\u043e\u043b\u044f, \u0438\u043c\u0430\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u0432\u0438\u0434, \u0447\u0435 \u0442\u043e\u0439 \u043d\u0435 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0431\u044a\u0434\u0435 \u043f\u0443\u0441\u043d\u0430\u0442 \u0434\u043e\u043a\u0430\u0442\u043e \u044f \u0438\u043c\u0430 \u0438\u043a\u043e\u043d\u0430\u0442\u0430 \u0432 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 ,\u0442\u0430\u043a\u0430 \u0447\u0435 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0438\u0437\u043b\u0435\u0437\u0435\u0442\u0435 \u043e\u0442 \u043d\u0435\u044f, \u0437\u0430 \u0434\u0430 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430. \u0423\u0441\u043b\u0443\u0433\u0430\u0442\u0430 \u0441\u044a\u0449\u043e \u0442\u0430\u043a\u0430 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0431\u044a\u0434\u0435 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u043d\u0430 \u0441 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u0438\u0432\u043d\u0438 \u043f\u0440\u0438\u0432\u0438\u043b\u0435\u0433\u0438\u0438 \u0447\u0440\u0435\u0437 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b. \u041c\u043e\u043b\u044f, \u0438\u043c\u0430\u0439\u0442\u0435 \u043f\u0440\u0435\u0434\u0432\u0438\u0434, \u0447\u0435 \u0432 \u0442\u043e\u0437\u0438 \u043c\u043e\u043c\u0435\u043d\u0442 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430 \u043d\u0435 \u0435 \u0432 \u0441\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u0430 \u0441\u0435 \u0430\u043a\u0442\u0443\u0430\u043b\u0438\u0437\u0438\u0440\u0430 \u0441\u0430\u043c\u043e\u0441\u0442\u043e\u044f\u0442\u0435\u043b\u043d\u043e, \u0442\u0430\u043a\u0430 \u0447\u0435 \u043d\u043e\u0432\u0438\u0442\u0435 \u0432\u0435\u0440\u0441\u0438\u0438 \u0449\u0435 \u0438\u0437\u0438\u0441\u043a\u0432\u0430\u0442 \u0440\u044a\u0447\u043d\u043e \u0432\u0437\u0430\u0438\u043c\u043e\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435.", "DevBuildWarning": "\u0412\u0435\u0440\u0441\u0438\u0438\u0442\u0435 \u0437\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438 \u0441\u0430 \u043d\u0430\u0439-\u043d\u043e\u0432\u043e\u0442\u043e. \u0422\u0435 \u0441\u0435 \u0432\u044a\u0437\u043e\u0431\u043d\u043e\u0432\u044f\u0432\u0430\u0442 \u0447\u0435\u0441\u0442\u043e, \u043d\u043e \u043d\u0435 \u0441\u0435 \u0442\u0435\u0441\u0442\u0432\u0430\u0442. \u041c\u043e\u0436\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u0442\u043e \u0434\u0430 \u0441\u0435 \u0447\u0443\u043f\u0438 \u0438 \u0446\u0435\u043b\u0438 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0438\u0437\u043e\u0431\u0449\u043e \u0434\u0430 \u043d\u0435 \u0440\u0430\u0431\u043e\u0442\u044f\u0442.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "\u0422\u043e\u0432\u0430 \u0435 \u0432\u0441\u0438\u0447\u043a\u043e \u043e\u0442 \u043a\u043e\u0435\u0442\u043e \u0441\u0435 \u043d\u0443\u0436\u0434\u0430\u0435\u043c \u0437\u0430 \u043c\u043e\u043c\u0435\u043d\u0442\u0430. Emby \u0435 \u0437\u0430\u043f\u043e\u0447\u043d\u0430\u043b \u0434\u0430 \u0441\u044a\u0431\u0438\u0440\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0437\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0432\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430. \u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439\u0442\u0435 \u043d\u044f\u043a\u043e\u0438 \u043e\u0442 \u043d\u0430\u0448\u0438\u0442\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u043f\u043e\u0441\u043b\u0435 \u043d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 \u0413\u043e\u0442\u043e\u0432\u043e<\/b>, \u0437\u0430 \u0434\u0430 \u0432\u0438\u0434\u0438\u0442\u0435 Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "\u041f\u0440\u0438\u0441\u044a\u0435\u0434\u0438\u043d\u0435\u0442\u0435 \u0441\u0435 \u043a\u044a\u043c \u043e\u0442\u0431\u043e\u0440\u0430 \u043d\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438\u0442\u0435", - "LabelConfigureSettings": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u0439 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", - "LabelEnableVideoImageExtraction": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0438\u0437\u0432\u043b\u0438\u0447\u0430\u043d\u0435 \u043d\u0430 \u0432\u0438\u0434\u0435\u043e \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f.", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0432\u0441\u0438\u0447\u043a\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0438", - "VideoImageExtractionHelp": "\u0417\u0430 \u0432\u0438\u0434\u0435\u043e\u043a\u043b\u0438\u043f\u043e\u0432\u0435, \u043a\u043e\u0438\u0442\u043e \u0432\u0441\u0435 \u043e\u0449\u0435 \u043d\u0435 \u0440\u0430\u0437\u043f\u043e\u043b\u0430\u0433\u0430\u0442 \u0441 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f, \u0438 \u0437\u0430 \u043a\u043e\u0438\u0442\u043e \u043d\u0435 \u0441\u043c\u0435 \u0432 \u0441\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u0430 \u043d\u0430\u043c\u0435\u0440\u0438\u043c \u0442\u0430\u043a\u0438\u0432\u0430. \u0422\u043e\u0432\u0430 \u0449\u0435 \u0434\u043e\u0431\u0430\u0432\u0438 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e \u0432\u0440\u0435\u043c\u0435 \u043a\u044a\u043c \u043f\u044a\u0440\u0432\u043e\u043d\u0430\u0447\u0430\u043b\u043d\u043e\u0442\u043e \u0441\u043a\u0430\u043d\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430, \u043d\u043e \u0449\u0435 \u0434\u043e\u0432\u0435\u0434\u0435 \u0434\u043e \u043f\u043e-\u043f\u0440\u0438\u044f\u0442\u0435\u043d \u0432\u0438\u0434.", - "LabelEnableChapterImageExtractionForMovies": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u0438\u0437\u0432\u043b\u0438\u0447\u0430\u043d\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u0437\u0430 \u0424\u0438\u043b\u043c\u0438.", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0430 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043d\u0430 \u043f\u043e\u0440\u0442\u043e\u0432\u0435\u0442\u0435", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0432\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0430 \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f \u043d\u0430 \u0440\u0443\u0442\u0435\u0440\u0430 \u0437\u0430 \u043b\u0435\u0441\u0435\u043d \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u0434\u043e\u0441\u0442\u044a\u043f. \u0422\u043e\u0432\u0430 \u043c\u043e\u0436\u0435 \u0434\u0430 \u043d\u0435 \u0440\u0430\u0431\u043e\u0442\u0438 \u0441 \u043d\u044f\u043a\u043e\u0438 \u0440\u0443\u0442\u0435\u0440\u0438.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "\u041e\u043a", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0441\u0438 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043c\u0435\u0434\u0438\u0439\u043d\u0430 \u043f\u0430\u043f\u043a\u0430", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u0422\u0438\u043f \u043d\u0430 \u043f\u0430\u043f\u043a\u0430\u0442\u0430:", - "LabelAddConnectSupporterHelp": "\u0417\u0430 \u0434\u0430 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043a\u043e\u0439\u0442\u043e \u043d\u0435 \u0435 \u0432 \u043b\u0438\u0441\u0442\u0438\u0442\u0435, \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u043f\u044a\u0440\u0432\u043e \u0434\u0430 \u0437\u0430\u043a\u0430\u0447\u0438\u0442\u0435 \u0442\u0435\u0445\u043d\u0438\u044f \u043f\u0440\u043e\u0444\u0438\u043b \u043a\u044a\u043c Emby Connect \u043e\u0442 \u0442\u044f\u0445\u043d\u0430\u0442\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430.", - "ReferToMediaLibraryWiki": "\u0414\u043e\u043f\u0438\u0442\u0430\u0439\u0442\u0435 \u0441\u0435 \u0434\u043e wiki \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430\u0442\u0430 \u043d\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0430\u0442\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u0421\u0442\u0440\u0430\u043d\u0430:", - "LabelLanguage": "\u0415\u0437\u0438\u043a:", - "HeaderPreferredMetadataLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0432 \u043f\u0430\u043f\u043a\u0430\u0442\u0430 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f\u0442\u0430", - "LabelSaveLocalMetadataHelp": "\u0417\u0430\u043f\u043e\u043c\u043d\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0434\u0438\u0440\u0435\u043a\u0442\u043d\u043e \u0432 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u043f\u0430\u043f\u043a\u0438 \u0449\u0435 \u0433\u0438 \u0441\u043b\u043e\u0436\u0438 \u043d\u0430 \u043c\u044f\u0441\u0442\u043e, \u043a\u044a\u0434\u0435\u0442\u043e \u043b\u0435\u0441\u043d\u043e \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0438.", - "LabelDownloadInternetMetadata": "\u0421\u0432\u0430\u043b\u044f\u0439 \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043e\u0442 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0442\u0430", - "LabelDownloadInternetMetadataHelp": "Emby Server \u043c\u043e\u0436\u0435 \u0434\u0430 \u0441\u0432\u0430\u043b\u044f \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0437\u0430 \u043a\u0440\u0430\u0441\u0438\u0432\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0432\u0430\u0448\u0430\u0442\u0430 \u043c\u0435\u0434\u0438\u044f.", - "OptionThumb": "\u041c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", - "LabelExit": "\u0418\u0437\u043b\u0435\u0437", - "OptionBanner": "\u0411\u0430\u043d\u0435\u0440", - "LabelVisitCommunity": "\u041f\u043e\u0441\u0435\u0442\u0438 \u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u0442\u043e", "LabelVideoType": "\u0422\u0438\u043f \u043d\u0430 \u0432\u0438\u0434\u0435\u043e\u0442\u043e:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u0434\u043e\u0441\u0442\u044a\u043f \u043e\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "LabelBrowseLibrary": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", "LabelFeatures": "\u0424\u0443\u043d\u043a\u0446\u0438\u0438:", - "DeviceAccessHelp": "\u0422\u043e\u0432\u0430 \u0441\u0435 \u043e\u0442\u043d\u0430\u0441\u044f \u0441\u0430\u043c\u043e \u0437\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430, \u043a\u043e\u0438\u0442\u043e \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0440\u0430\u0437\u043b\u0438\u0447\u0435\u043d\u0438 \u0438 \u043d\u044f\u043c\u0430 \u0434\u0430 \u043f\u043e\u043f\u0440\u0435\u0447\u0438 \u043d\u0430 \u0434\u043e\u0441\u0442\u044a\u043f \u043e\u0442 \u0431\u0440\u0430\u0443\u0437\u044a\u0440. \u0424\u0438\u043b\u0442\u0440\u0438\u0440\u0430\u043d\u0435\u0442\u043e \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0449\u0435 \u043f\u0440\u0435\u0434\u043e\u0442\u0432\u0440\u0430\u0442\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0435\u0442\u043e \u0438\u043c \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u0435 \u0431\u044a\u0434\u0430\u0442 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u0438 \u0442\u0443\u043a.", - "ChannelAccessHelp": "\u0418\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u0438\u0442\u0435, \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0438\u0442\u0435 \u0441 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0438\u0442\u0435 \u0449\u0435 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u043a\u0430\u043d\u0430\u043b\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u043c\u0435\u043d\u0438\u0434\u0436\u044a\u0440\u0430 \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f.", + "LabelService": "\u0423\u0441\u043b\u0443\u0433\u0430:", + "LabelStatus": "\u0421\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435:", + "LabelVersion": "\u0412\u0435\u0440\u0441\u0438\u044f:", + "LabelLastResult": "\u041f\u043e\u0441\u043b\u0435\u0434\u0435\u043d \u0440\u0435\u0437\u0443\u043b\u0442\u0430\u0442:", "OptionHasSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "LabelOpenLibraryViewer": "\u041e\u0442\u0432\u043e\u0440\u0438 \u043f\u0440\u0435\u0433\u043b\u0435\u0434 \u043d\u0430 \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", "OptionHasTrailer": "\u0422\u0440\u0435\u0439\u043b\u044a\u0440", - "LabelRestartServer": "\u0420\u0435\u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u0439 \u0441\u044a\u0440\u0432\u044a\u0440\u0430", "OptionHasThemeSong": "\u0424\u043e\u043d\u043e\u0432\u0430 \u041f\u0435\u0441\u0435\u043d", - "LabelShowLogWindow": "\u041f\u043e\u043a\u0430\u0436\u0438 \u043b\u043e\u0433\u043e\u0432\u0438\u044f \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446", "OptionHasThemeVideo": "\u0424\u043e\u043d\u043e\u0432\u043e \u0412\u0438\u0434\u0435\u043e", - "LabelPrevious": "\u041f\u0440\u0435\u0434\u0438\u0448\u0435\u043d", "TabMovies": "\u0424\u0438\u043b\u043c\u0438", - "LabelFinish": "\u041a\u0440\u0430\u0439", "TabStudios": "\u0421\u0442\u0443\u0434\u0438\u0430", - "FolderTypeMixed": "\u0421\u043c\u0435\u0441\u0435\u043d\u043e \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435", - "LabelNext": "\u0421\u043b\u0435\u0434\u0432\u0430\u0449", "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u044a\u0440\u0438", - "FolderTypeMovies": "\u0424\u0438\u043b\u043c\u0438", - "LabelYoureDone": "\u0413\u043e\u0442\u043e\u0432\u0438 \u0441\u0442\u0435!", + "LabelArtists": "\u0410\u0440\u0442\u0438\u0441\u0442\u0438:", + "LabelArtistsHelp": "\u041e\u0442\u0434\u0435\u043b\u0435\u0442\u0435 \u043d\u044f\u043a\u043e\u043b\u043a\u043e \u0441 ;", "HeaderLatestMovies": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0424\u0438\u043b\u043c\u0438", - "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0422\u0440\u0435\u0439\u043b\u044a\u0440\u0438", - "FolderTypeAdultVideos": "\u041a\u043b\u0438\u043f\u043e\u0432\u0435 \u0437\u0430 \u0432\u044a\u0437\u0440\u0430\u0441\u0442\u043d\u0438", "OptionHasSpecialFeatures": "\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u043d\u0438 \u0414\u043e\u0431\u0430\u0432\u043a\u0438", - "FolderTypePhotos": "\u0421\u043d\u0438\u043c\u043a\u0438", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb \u0420\u0435\u0439\u0442\u0438\u043d\u0433", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "LabelFailed": "Failed", "OptionParentalRating": "\u0420\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0420\u0435\u0439\u0442\u0438\u043d\u0433", - "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", - "LabelSeries": "Series:", "OptionPremiereDate": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043f\u0440\u0435\u043c\u0438\u0435\u0440\u0430", - "FolderTypeGames": "\u0418\u0433\u0440\u0438", - "ButtonRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438", "TabBasic": "\u041e\u0441\u043d\u043e\u0432\u043d\u0438", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderPlaybackSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u0432\u044a\u0437\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0436\u0434\u0430\u043d\u0435\u0442\u043e", "TabAdvanced": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438", - "FolderTypeTvShows": "TV", "HeaderStatus": "\u0421\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435:", "OptionContinuing": "\u041f\u0440\u043e\u0434\u044a\u043b\u0436\u0430\u0432\u0430\u0449\u043e", "OptionEnded": "\u041f\u0440\u0438\u043a\u043b\u044e\u0447\u0438\u043b\u043e", - "HeaderSync": "Sync", - "TabPreferences": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f", "HeaderAirDays": "\u0414\u043d\u0438 \u043d\u0430 \u0438\u0437\u043b\u044a\u0447\u0432\u0430\u043d\u0435", - "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u0438\u0437\u0434\u0430\u0432\u0430\u043d\u0435", - "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u0430", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "\u041d\u0435\u0434\u0435\u043b\u044f", - "LabelArtists": "\u0410\u0440\u0442\u0438\u0441\u0442\u0438:", - "TabLibraryAccess": "\u0414\u043e\u0441\u044a\u043f \u0434\u043e \u0431\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "\u041f\u043e\u043d\u0435\u0434\u0435\u043b\u043d\u0438\u043a", - "LabelArtistsHelp": "\u041e\u0442\u0434\u0435\u043b\u0435\u0442\u0435 \u043d\u044f\u043a\u043e\u043b\u043a\u043e \u0441 ;", - "TabImage": "\u041a\u0430\u0440\u0442\u0438\u043d\u0430", - "TabActivityLog": "Activity Log", "OptionTuesday": "\u0412\u0442\u043e\u0440\u043d\u0438\u043a", - "ButtonAdvancedRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e", - "TabProfile": "\u041f\u0440\u043e\u0444\u0438\u043b", - "HeaderName": "Name", "OptionWednesday": "\u0421\u0440\u044f\u0434\u0430", - "LabelDisplayMissingEpisodesWithinSeasons": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u0439 \u043b\u0438\u043f\u0441\u0432\u0430\u0449\u0438 \u0435\u043f\u0438\u0437\u043e\u0434\u0438 \u0432 \u0441\u0435\u0437\u043e\u043d\u0438\u0442\u0435", - "HeaderDate": "Date", "OptionThursday": "\u0427\u0435\u0442\u0432\u044a\u0440\u0442\u044a\u043a", - "LabelUnairedMissingEpisodesWithinSeasons": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u0439 \u043d\u0435\u0438\u0437\u043b\u044a\u0447\u0435\u043d\u0438 \u0435\u043f\u0438\u0437\u043e\u0434\u0438 \u0432 \u0441\u0435\u0437\u043e\u043d\u0438\u0442\u0435", - "HeaderSource": "Source", "OptionFriday": "\u041f\u0435\u0442\u044a\u043a", - "ButtonAddLocalUser": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043b\u043e\u043a\u0430\u043b\u0435\u043d \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", - "HeaderVideoPlaybackSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u0432\u044a\u0437\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0436\u0434\u0430\u043d\u0435\u0442\u043e \u043d\u0430 \u0432\u0438\u0434\u0435\u043e", - "HeaderDestination": "Destination", "OptionSaturday": "\u0421\u044a\u0431\u043e\u0442\u0430", - "LabelAudioLanguagePreference": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0430\u0443\u0434\u0438\u043e\u0442\u043e:", - "HeaderProgram": "Program", "HeaderManagement": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", - "OptionMissingTmdbId": "\u041b\u0438\u043f\u0441\u0432\u0430\u0449\u043e Tmdb ID", - "LabelSubtitleLanguagePreference": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438\u0442\u0435:", - "HeaderClients": "Clients", + "LabelManagement": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435:", "OptionMissingImdbId": "\u041b\u0438\u043f\u0441\u0432\u0430\u0449\u043e IMDb ID", - "OptionIsHD": "HD", - "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "\u041b\u0438\u043f\u0441\u0432\u0430\u0449\u043e TheTVDB ID", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "\u0420\u044a\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e \u0437\u0430 \u0431\u044a\u0440\u0437\u043e \u0437\u0430\u043f\u043e\u0447\u0432\u0430\u043d\u0435", - "TabProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438", "OptionMissingOverview": "\u041b\u0438\u043f\u0441\u0432\u0430\u0449\u0430 \u043e\u0431\u0449\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", + "OptionFileMetadataYearMismatch": "\u0420\u0430\u0437\u043b\u0438\u0447\u0438\u0435 \u043d\u0430 \u0433\u043e\u0434\u0438\u043d\u0430 \u0432\u044a\u0432 \u0424\u0430\u0439\u043b\/\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", + "TabGeneral": "\u0413\u043b\u0430\u0432\u043d\u043e", + "TitleSupport": "\u041f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430", + "LabelSeasonNumber": "Season number", + "TabLog": "\u041b\u043e\u0433", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u041e\u0442\u043d\u043e\u0441\u043d\u043e", + "TabSupporterKey": "\u041f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a\u043e\u0432 \u043a\u043b\u044e\u0447", + "TabBecomeSupporter": "\u0421\u0442\u0430\u043d\u0438 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439\u0442\u0435 \u0431\u0430\u0437\u0430\u0442\u0430 \u043d\u0438 \u0441\u044a\u0441 \u0437\u043d\u0430\u043d\u0438\u044f, \u043a\u043e\u044f\u0442\u043e \u0449\u0435 \u0432\u0438 \u043f\u043e\u043c\u043e\u0433\u043d\u0435 \u0434\u0430 \u0432\u0437\u0435\u043c\u0435\u0442\u0435 \u043d\u0430\u0439-\u0434\u043e\u0431\u0440\u043e\u0442\u043e \u043e\u0442 Emby.", + "SearchKnowledgeBase": "\u0422\u044a\u0440\u0441\u0438 \u0432 \u0411\u0430\u0437\u0430\u0442\u0430 \u043e\u0442 \u0417\u043d\u0430\u043d\u0438\u044f", + "VisitTheCommunity": "\u041f\u043e\u0441\u0435\u0442\u0435\u0442\u0435 \u041e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u0442\u043e", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "\u0421\u043a\u0440\u0438\u0439 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043e\u0442 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0438\u0442\u0435 \u0437\u0430 \u0432\u0445\u043e\u0434", + "OptionHideUserFromLoginHelp": "\u041f\u043e\u043b\u0435\u0437\u043d\u043e \u0437\u0430 \u0447\u0430\u0441\u0442\u043d\u0438 \u0438\u043b\u0438 \u0441\u043a\u0440\u0438\u0442\u0438 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0441\u043a\u0438 \u0430\u043a\u0430\u0443\u043d\u0442\u0438. \u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u044f\u0442 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0432\u043b\u0435\u0437\u0435 \u0440\u044a\u0447\u043d\u043e \u0447\u0440\u0435\u0437 \u0432\u044a\u0432\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u043e \u0438\u043c\u0435 \u0438 \u043f\u0430\u0440\u043e\u043b\u0430.", + "OptionDisableUser": "\u0414\u0435\u0437\u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439\u0442\u0435 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", + "OptionDisableUserHelp": "\u0410\u043a\u043e \u0435 \u0434\u0435\u0437\u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d, \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u044f\u043c\u0430 \u0434\u0430 \u043f\u043e\u0437\u0432\u043e\u043b\u0438 \u043a\u0430\u043a\u0432\u0438\u0442\u043e \u0438 \u0434\u0430 \u0431\u0438\u043b\u043e \u0432\u0440\u044a\u0437\u043a\u0438 \u043e\u0442 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0421\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438\u0442\u0435 \u0432\u0440\u044a\u0437\u043a\u0438 \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0432\u043d\u0435\u0437\u0430\u043f\u043d\u043e \u043f\u0440\u0435\u043a\u0440\u0430\u0442\u0435\u043d\u0438.", + "HeaderAdvancedControl": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u0435\u043d \u041a\u043e\u043d\u0442\u0440\u043e\u043b", + "LabelName": "\u0418\u043c\u0435:", + "ButtonHelp": "\u041f\u043e\u043c\u043e\u0449", + "OptionAllowUserToManageServer": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043d\u0430 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u0434\u0430 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0432\u0430 \u0441\u044a\u0440\u0432\u044a\u0440\u0430", + "HeaderFeatureAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0444\u0443\u043d\u043a\u0446\u0438\u0438", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u043a\u043e\u043d\u0442\u0440\u043e\u043b \u043d\u0430 \u0434\u0440\u0443\u0433\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", + "OptionAllowRemoteSharedDevices": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u043a\u043e\u043d\u0442\u0440\u043e\u043b \u043d\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0435\u043d\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "OptionAllowRemoteSharedDevicesHelp": "DLNA \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441\u0435 \u0441\u0447\u0438\u0442\u0430\u0442 \u0437\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0435\u043d\u0438 \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u044f\u043a\u043e\u0439 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043d\u0435 \u0437\u0430\u043f\u043e\u0447\u043d\u0435 \u0434\u0430 \u0433\u0438 \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u0438\u0440\u0430.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "\u041e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u041a\u043e\u043d\u0442\u0440\u043e\u043b", + "OptionMissingTmdbId": "\u041b\u0438\u043f\u0441\u0432\u0430\u0449\u043e Tmdb ID", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "\u041c\u0435\u0442\u0430 \u0442\u043e\u0447\u043a\u0438", - "HeaderSyncJobInfo": "\u0421\u0438\u043d\u0445\u0440. \u0417\u0430\u0434\u0430\u0447\u0430", - "TabSecurity": "\u0417\u0430\u0449\u0438\u0442\u0430", - "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "\u0420\u0430\u0437\u043b\u0438\u0447\u0438\u0435 \u043d\u0430 \u0433\u043e\u0434\u0438\u043d\u0430 \u0432\u044a\u0432 \u0424\u0430\u0439\u043b\/\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", "ButtonSelect": "\u0418\u0437\u0431\u0435\u0440\u0438", - "ButtonAddUser": "\u0414\u043e\u0431\u0430\u0432\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "\u0413\u043b\u0430\u0432\u043d\u043e", "ButtonGroupVersions": "\u0413\u0440\u0443\u043f\u0438\u0440\u0430\u0439 \u0432\u0435\u0440\u0441\u0438\u0438\u0442\u0435", - "TabGuide": "\u0420\u044a\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e", - "ButtonSave": "\u0417\u0430\u043f\u043e\u043c\u043d\u0438", - "TitleSupport": "\u041f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "\u0418\u0437\u043f\u043e\u043b\u0437\u0430\u043d\u0435 \u043d\u0430 Pismo File Mount \u0447\u0440\u0435\u0437 \u0434\u0430\u0440\u0435\u043d \u043b\u0438\u0446\u0435\u043d\u0437.", - "TabChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", - "ButtonResetPassword": "\u041d\u0443\u043b\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043f\u0430\u0440\u043e\u043b\u0430", - "LabelSeasonNumber": "Season number:", - "TabLog": "\u041b\u043e\u0433", + "TangibleSoftwareMessage": "\u0418\u0437\u043f\u043e\u043b\u0437\u0430\u043d\u0435 \u043d\u0430 Tangible Solutions Java\/C# converters \u0447\u0440\u0435\u0437 \u0434\u0430\u0440\u0435\u043d \u043b\u0438\u0446\u0435\u043d\u0437.", + "HeaderCredits": "\u041a\u0440\u0435\u0434\u0438\u0442\u0438", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", - "LabelNewPassword": "\u041d\u043e\u0432\u0430 \u043f\u0430\u0440\u043e\u043b\u0430:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "\u041e\u0442\u043d\u043e\u0441\u043d\u043e", "VersionNumber": "\u0412\u0435\u0440\u0441\u0438\u044f {0}", - "TabRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438", - "LabelNewPasswordConfirm": "\u041d\u043e\u0432\u0430 \u043f\u0430\u0440\u043e\u043b\u0430(\u043e\u0442\u043d\u043e\u0432\u043e):", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "\u041f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a\u043e\u0432 \u043a\u043b\u044e\u0447", "TabPaths": "\u041f\u044a\u0442\u0438\u0449\u0430", - "TabScheduled": "\u041f\u043b\u0430\u043d\u0438\u0440\u0430\u043d\u0438", - "HeaderCreatePassword": "\u041d\u0430\u043f\u0440\u0430\u0432\u0438 \u043f\u0430\u0440\u043e\u043b\u0430", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "\u0421\u0442\u0430\u043d\u0438 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a", "TabServer": "\u0421\u044a\u0440\u0432\u044a\u0440", - "TabSeries": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", - "LabelCurrentPassword": "\u0422\u0435\u043a\u0443\u0449\u0430 \u043f\u0430\u0440\u043e\u043b\u0430:", - "HeaderSupportTheTeam": "\u041f\u043e\u0434\u043a\u0440\u0435\u043f\u0435\u0442\u0435 Emby \u041e\u0442\u0431\u043e\u0440\u044a\u0442", "TabTranscoding": "\u041f\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0430\u043d\u0435", - "ButtonCancelRecording": "\u041f\u0440\u0435\u043a\u044a\u0441\u043d\u0438 \u0417\u0430\u043f\u0438\u0441\u0432\u0430\u043d\u0435\u0442\u043e", - "LabelMaxParentalRating": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u043d\u043e \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u0441\u043a\u0438 \u0440\u0435\u0439\u0442\u0438\u043d\u0433:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "\u0420\u0430\u0437\u0433\u043b\u0435\u0434\u0430\u0439\u0442\u0435 \u0431\u0430\u0437\u0430\u0442\u0430 \u043d\u0438 \u0441\u044a\u0441 \u0437\u043d\u0430\u043d\u0438\u044f, \u043a\u043e\u044f\u0442\u043e \u0449\u0435 \u0432\u0438 \u043f\u043e\u043c\u043e\u0433\u043d\u0435 \u0434\u0430 \u0432\u0437\u0435\u043c\u0435\u0442\u0435 \u043d\u0430\u0439-\u0434\u043e\u0431\u0440\u043e\u0442\u043e \u043e\u0442 Emby.", "TitleAdvanced": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438", - "HeaderPrePostPadding": "\u041f\u0440\u0435\u0434\u0435\u043d\/\u0417\u0430\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442", - "MaxParentalRatingHelp": "\u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435 \u0441 \u043f\u043e-\u0432\u0438\u0441\u043e\u043a \u0440\u0435\u0439\u0442\u0438\u043d\u0433 \u0449\u0435 \u0431\u044a\u0434\u0435 \u0441\u043a\u0440\u0438\u0442\u043e \u043e\u0442 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b.", - "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.", - "SearchKnowledgeBase": "\u0422\u044a\u0440\u0441\u0438 \u0432 \u0411\u0430\u0437\u0430\u0442\u0430 \u043e\u0442 \u0417\u043d\u0430\u043d\u0438\u044f", "LabelAutomaticUpdateLevel": "\u041d\u0438\u0432\u043e \u043d\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u0430\u043a\u0442\u0443\u0430\u043b\u0438\u0437\u0438\u0440\u0430\u043d\u0435", - "LabelPrePaddingMinutes": "\u041f\u0440\u0435\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442 \u0432 \u043c\u0438\u043d\u0443\u0442\u0438:", - "LibraryAccessHelp": "\u0418\u0437\u0431\u0435\u0440\u0435\u0442\u0435 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u043f\u0430\u043f\u043a\u0438, \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u043f\u043e\u0434\u0435\u043b\u0438\u0442\u0435 \u0441 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0438\u0442\u0435 \u0449\u0435 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0442 \u0432\u0441\u0438\u0447\u043a\u0438 \u043f\u0430\u043f\u043a\u0438 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u043c\u0435\u043d\u0438\u0434\u0436\u044a\u0440\u0430 \u043d\u0430 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "\u041f\u043e\u0441\u0435\u0442\u0435\u0442\u0435 \u041e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u0442\u043e", + "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u043d\u043e \u0438\u0437\u0434\u0430\u043d\u0438\u0435", + "OptionBeta": "\u0411\u0435\u0442\u0430", + "OptionDev": "\u0417\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u0446\u0438 (\u041d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u0435\u043d)", "LabelAllowServerAutoRestart": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043d\u0430 \u0441\u044a\u0440\u0432\u044a\u0440\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u043d \u0440\u0435\u0441\u0442\u0430\u0440\u0442 \u0437\u0430 \u043f\u0440\u0438\u043b\u0430\u0433\u0430\u043d\u0435 \u043d\u0430 \u0430\u043a\u0442\u0443\u0430\u043b\u0438\u0437\u0430\u0446\u0438\u0438\u0442\u0435", - "OptionPrePaddingRequired": "\u041f\u0440\u0435\u0434\u043d\u0438\u044f\u0442 \u0431\u0430\u043b\u0430\u0441\u0442 \u0435 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u0435\u043d, \u0437\u0430 \u0434\u0430 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442\u0435. (\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u043c\u0438\u043d\u0443\u0442\u0438 \u043f\u0440\u0435\u0434\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u0442\u043e)", - "OptionNoSubtitles": "\u0411\u0435\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "\u0421\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u0449\u0435 \u0441\u0435 \u0440\u0435\u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u0441\u0430\u043c\u043e \u043f\u0440\u0435\u0437 \u0441\u0432\u043e\u0431\u043e\u0434\u043d\u043e\u0442\u043e \u0441\u0438 \u0432\u0440\u0435\u043c\u0435, \u043a\u043e\u0433\u0430\u0442\u043e \u043d\u044f\u043c\u0430 \u0430\u043a\u0442\u0438\u0432\u043d\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438.", - "LabelPostPaddingMinutes": "\u0417\u0430\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442 \u0432 \u043c\u0438\u043d\u0443\u0442\u0438:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439 \u043b\u043e\u0433\u0438\u043d\u0433 \u043d\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u0437\u0430 \u0433\u0440\u0435\u0448\u043a\u0438", - "OptionPostPaddingRequired": "\u0417\u0430\u0434\u043d\u0438\u044f\u0442 \u0431\u0430\u043b\u0430\u0441\u0442 \u0435 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u0435\u043d, \u0437\u0430 \u0434\u0430 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442\u0435. (\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u043c\u0438\u043d\u0443\u0442\u0438 \u0441\u043b\u0435\u0434 \u043a\u0440\u0430\u044f)", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "\u0421\u043a\u0440\u0438\u0439 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u043e\u0442 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0438\u0442\u0435 \u0437\u0430 \u0432\u0445\u043e\u0434", "LabelRunServerAtStartup": "\u041f\u0443\u0441\u043a\u0430\u043d\u0435 \u043d\u0430 \u0441\u044a\u0440\u0432\u044a\u0440\u0430 \u043f\u0440\u0438 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u043d\u0435", - "HeaderWhatsOnTV": "\u0412 \u043c\u043e\u043c\u0435\u043d\u0442\u0430", - "ButtonNew": "\u041d\u043e\u0432", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "\u0414\u0435\u0437\u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u0439\u0442\u0435 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b", "LabelRunServerAtStartupHelp": "\u0422\u043e\u0432\u0430 \u0449\u0435 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u0438\u043a\u043e\u043d\u043a\u0430\u0442\u0430 \u0432 \u0442\u0440\u0435\u0439 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 \u043f\u0440\u0438 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 Windows. \u0417\u0430 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 Windows service, \u043c\u0430\u0445\u043d\u0435\u0442\u0435 \u043e\u0442\u043c\u0435\u0442\u043a\u0430\u0442\u0430 \u043e\u0442 \u0442\u043e\u0432\u0430 \u0438 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u0439\u0442\u0435 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430 \u043e\u0442 Windows \u043a\u043e\u043d\u0442\u0440\u043e\u043b\u043d\u0438\u044f \u043f\u0430\u043d\u0435\u043b. \u041c\u043e\u043b\u044f, \u043e\u0442\u0431\u0435\u043b\u0435\u0436\u0435\u0442\u0435, \u0447\u0435 \u0434\u0432\u0435\u0442\u0435 \u043d\u0435 \u043c\u043e\u0433\u0430\u0442 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u043f\u0443\u0441\u043d\u0430\u0442\u0438 \u043f\u043e \u0435\u0434\u043d\u043e \u0438 \u0441\u044a\u0449\u043e \u0432\u0440\u0435\u043c\u0435, \u0442\u0430\u043a\u0430 \u0447\u0435 \u0449\u0435 \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0438\u0437\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0438\u043a\u043e\u043d\u043a\u0430\u0442\u0430 \u0432 \u0442\u0440\u0435\u0439 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 \u043f\u0440\u0435\u0434\u0438 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0443\u0441\u043b\u0443\u0433\u0430\u0442\u0430.", - "HeaderUpcomingTV": "\u041f\u0440\u0435\u0434\u0441\u0442\u043e\u044f\u0449\u0430 TV", - "TabMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "\u0410\u043a\u043e \u0435 \u0434\u0435\u0437\u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d, \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u044f\u043c\u0430 \u0434\u0430 \u043f\u043e\u0437\u0432\u043e\u043b\u0438 \u043a\u0430\u043a\u0432\u0438\u0442\u043e \u0438 \u0434\u0430 \u0431\u0438\u043b\u043e \u0432\u0440\u044a\u0437\u043a\u0438 \u043e\u0442 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b. \u0421\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438\u0442\u0435 \u0432\u0440\u044a\u0437\u043a\u0438 \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0432\u043d\u0435\u0437\u0430\u043f\u043d\u043e \u043f\u0440\u0435\u043a\u0440\u0430\u0442\u0435\u043d\u0438.", "ButtonSelectDirectory": "\u0418\u0437\u0431\u0435\u0440\u0438 \u0414\u0438\u0440\u0435\u043a\u0442\u043e\u0440\u0438\u044f", - "TabStatus": "\u0421\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435", - "TabImages": "\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u0435\u043d \u041a\u043e\u043d\u0442\u0440\u043e\u043b", "LabelCustomPaths": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u0435\u0442\u0435 \u043f\u044a\u0442\u0438\u0449\u0430 \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u043a\u044a\u0434\u0435\u0442\u043e \u0436\u0435\u043b\u0430\u0435\u0442\u0435. \u041e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043f\u043e\u043b\u0435\u0442\u0430\u0442\u0430 \u043f\u0440\u0430\u0437\u043d\u0438 \u0437\u0430 \u0434\u0430 \u0441\u0435 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442 \u043f\u044a\u0442\u0438\u0449\u0430\u0442\u0430 \u043f\u043e \u0438\u0437\u0431\u043e\u0440.", - "TabSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", - "TabCollectionTitles": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u044f", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "\u0418\u043c\u0435:", "LabelCachePath": "\u041f\u044a\u0442 \u043a\u044a\u043c \u043a\u0435\u0448\u0430:", - "ButtonRefreshGuideData": "\u041e\u0431\u043d\u043e\u0432\u0438 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430 \u0432 \u0433\u0438\u0434-\u0430", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043d\u0430 \u0442\u043e\u0437\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b \u0434\u0430 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0432\u0430 \u0441\u044a\u0440\u0432\u044a\u0440\u0430", "LabelCachePathHelp": "\u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0437\u0430 \u0441\u044a\u0440\u0432\u044a\u0440\u043d\u0438 \u043a\u0435\u0448 \u0444\u0430\u0439\u043b\u043e\u0432\u0435, \u043a\u0430\u0442\u043e \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f.", - "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", - "ButtonRemove": "\u041f\u0440\u0435\u043c\u0430\u0445\u043d\u0438", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "\u0414\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u0444\u0443\u043d\u043a\u0446\u0438\u0438", "LabelImagesByNamePath": "\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043f\u043e \u043f\u044a\u0442 \u043d\u0430 \u0438\u043c\u0435\u0442\u043e:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "\u0414\u043e\u0441\u0442\u044a\u043f", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "\u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0437\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0430 \u0430\u043a\u0442\u044c\u043e\u0440\u0438, \u0436\u0430\u043d\u0440\u043e\u0432\u0435 \u0438 \u0441\u0442\u0443\u0434\u0438\u0430.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "\u041f\u044a\u0442 \u043a\u044a\u043c \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430:", + "LabelMetadataPathHelp": "\u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0437\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u043e \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f, \u0430\u043a\u043e \u043d\u0435 \u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442 \u0432 \u043f\u0430\u043f\u043a\u0438\u0442\u0435 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f\u0442\u0430.", + "LabelTranscodingTempPath": "\u0412\u0440\u0435\u043c\u0435\u043d\u0435\u043d \u043f\u044a\u0442 \u043d\u0430 \u043f\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0430\u043d\u0435:", + "LabelTranscodingTempPathHelp": "\u0422\u0430\u0437\u0438 \u043f\u0430\u043f\u043a\u0430 \u0441\u044a\u0434\u044a\u0440\u0436\u0430 \u0440\u0430\u0431\u043e\u0442\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0438 \u043e\u0442 \u0442\u0440\u0430\u043d\u0441\u043a\u043e\u0434\u0435\u0440\u0430. \u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0438\u043b\u0438 \u043e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043f\u0440\u0430\u0437\u043d\u043e \u0437\u0430 \u043c\u044f\u0441\u0442\u043e\u0442\u043e \u043f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435.", + "TabBasics": "\u041e\u0441\u043d\u043e\u0432\u0438", + "TabTV": "TV", + "TabGames": "\u0418\u0433\u0440\u0438", + "TabMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", + "TabOthers": "\u0414\u0440\u0443\u0433\u043e", + "HeaderExtractChapterImagesFor": "\u0418\u0437\u0432\u0430\u0434\u0435\u043d\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u0437\u0430:", + "OptionMovies": "\u0424\u0438\u043b\u043c\u0438", + "OptionEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", + "OptionOtherVideos": "\u0414\u0440\u0443\u0433\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "TitleMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", + "LabelAutomaticUpdates": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438\u0442\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", + "LabelAutomaticUpdatesTmdb": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u043e\u0442 TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u043e\u0442 TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 fanart.tv. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", + "LabelAutomaticUpdatesTmdbHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 TheMovieDB.org. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", + "LabelAutomaticUpdatesTvdbHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 TheTVDB.com. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", + "LabelFanartApiKey": "\u041b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447:", + "LabelFanartApiKeyHelp": "\u0417\u0430\u044f\u0432\u043a\u0438 \u0434\u043e fanart \u0431\u0435\u0437 \u043b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447 \u0432\u0440\u044a\u0449\u0430\u0442 \u0440\u0435\u0437\u0443\u043b\u0442\u0430\u0442\u0438, \u043a\u043e\u0438\u0442\u043e \u0441\u0430 \u0431\u0438\u043b\u0438 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u0438 \u043f\u0440\u0435\u0434\u0438 \u043f\u043e\u0432\u0435\u0447\u0435 \u043e\u0442 7 \u0434\u043d\u0438. \u0421 \u043b\u0438\u0447\u0435\u043d API \u043a\u043b\u044e\u0447, \u0442\u043e\u0432\u0430 \u0432\u0440\u0435\u043c\u0435 \u043f\u0430\u0434\u0430 \u043d\u0430 48 \u0447\u0430\u0441\u0430, \u0430 \u0430\u043a\u043e \u0441\u0442\u0435 \u0438 fanart VIP \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b, \u0442\u043e \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e \u0449\u0435 \u043f\u0430\u0434\u043d\u0435 \u0434\u043e \u043e\u043a\u043e\u043b\u043e 10 \u043c\u0438\u043d\u0443\u0442\u0438.", + "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelMetadataDownloadLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0441\u0432\u0430\u043b\u044f\u043d\u0435:", + "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u043d \u0441\u043a\u0440\u043e\u043b", + "LabelImageSavingConvention": "Image saving convention:", + "LabelImageSavingConventionHelp": "Emby \u0440\u0430\u0437\u043f\u043e\u0437\u043d\u0430\u0432\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043e\u0442 \u043f\u043e\u0432\u0435\u0447\u0435\u0442\u043e \u0433\u043b\u0430\u0432\u043d\u0438 \u043c\u0435\u0434\u0438\u0439\u043d\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f. \u0418\u0437\u0431\u043e\u0440\u044a\u0442 \u043d\u0430 \u043a\u043e\u043d\u0432\u0435\u043d\u0446\u0438\u044f \u0437\u0430 \u0441\u0432\u0430\u043b\u044f\u043d\u0435 \u0435 \u043f\u043e\u043b\u0435\u0437\u0435\u043d \u0430\u043a\u043e \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442\u0435 \u0438 \u0434\u0440\u0443\u0433\u0438 \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u0438.", + "OptionImageSavingCompatible": "\u0421\u044a\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u043e - \u0415mby\/Kodi\/Plex", + "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0438 - MB2", + "ButtonSignIn": "\u0412\u043b\u0438\u0437\u0430\u043d\u0435", + "TitleSignIn": "\u0412\u043b\u0438\u0437\u0430\u043d\u0435", + "HeaderPleaseSignIn": "\u041c\u043e\u043b\u044f, \u0432\u043b\u0435\u0437\u0442\u0435", + "LabelUser": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b:", + "LabelPassword": "\u041f\u0430\u0440\u043e\u043b\u0430:", + "ButtonManualLogin": "\u0412\u0445\u043e\u0434 \u0441 \u0438\u043c\u0435 \u0438 \u043f\u0430\u0440\u043e\u043b\u0430", + "PasswordLocalhostMessage": "\u041f\u0430\u0440\u043e\u043b\u0438\u0442\u0435 \u043d\u0435 \u0441\u0430 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u043d\u0438, \u043a\u043e\u0433\u0430\u0442\u043e \u0432\u043b\u0438\u0437\u0430\u0442\u0435 \u043e\u0442 localhost", + "TabGuide": "\u0420\u044a\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e", + "TabChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", + "TabCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0438\u0438", + "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u0438", + "TabRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438", + "TabScheduled": "\u041f\u043b\u0430\u043d\u0438\u0440\u0430\u043d\u0438", + "TabSeries": "\u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", + "TabFavorites": "\u041b\u044e\u0431\u0438\u043c\u0438", + "TabMyLibrary": "\u041c\u043e\u044f\u0442\u0430 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", + "ButtonCancelRecording": "\u041f\u0440\u0435\u043a\u044a\u0441\u043d\u0438 \u0417\u0430\u043f\u0438\u0441\u0432\u0430\u043d\u0435\u0442\u043e", + "HeaderPrePostPadding": "\u041f\u0440\u0435\u0434\u0435\u043d\/\u0417\u0430\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442", + "LabelPrePaddingMinutes": "\u041f\u0440\u0435\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442 \u0432 \u043c\u0438\u043d\u0443\u0442\u0438:", + "OptionPrePaddingRequired": "\u041f\u0440\u0435\u0434\u043d\u0438\u044f\u0442 \u0431\u0430\u043b\u0430\u0441\u0442 \u0435 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u0435\u043d, \u0437\u0430 \u0434\u0430 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442\u0435. (\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u043c\u0438\u043d\u0443\u0442\u0438 \u043f\u0440\u0435\u0434\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u0442\u043e)", + "LabelPostPaddingMinutes": "\u0417\u0430\u0434\u0435\u043d \u0431\u0430\u043b\u0430\u0441\u0442 \u0432 \u043c\u0438\u043d\u0443\u0442\u0438:", + "OptionPostPaddingRequired": "\u0417\u0430\u0434\u043d\u0438\u044f\u0442 \u0431\u0430\u043b\u0430\u0441\u0442 \u0435 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u0435\u043d, \u0437\u0430 \u0434\u0430 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442\u0435. (\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u043c\u0438\u043d\u0443\u0442\u0438 \u0441\u043b\u0435\u0434 \u043a\u0440\u0430\u044f)", + "HeaderWhatsOnTV": "\u0412 \u043c\u043e\u043c\u0435\u043d\u0442\u0430", + "HeaderUpcomingTV": "\u041f\u0440\u0435\u0434\u0441\u0442\u043e\u044f\u0449\u0430 TV", + "TabStatus": "\u0421\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435", + "TabSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", + "ButtonRefreshGuideData": "\u041e\u0431\u043d\u043e\u0432\u0438 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430 \u0432 \u0433\u0438\u0434-\u0430", + "ButtonRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438", + "ButtonAdvancedRefresh": "\u041e\u0431\u043d\u043e\u0432\u0438 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u043e", + "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", + "OptionRecordOnAllChannels": "Record on all channels", + "OptionRecordAnytime": "Record at any time", "OptionRecordOnlyNewEpisodes": "\u0417\u0430\u043f\u0438\u0441\u0432\u0430\u0439 \u0441\u0430\u043c\u043e \u043d\u043e\u0432\u0438 \u0435\u043f\u0438\u0437\u043e\u0434\u0438", + "HeaderRepeatingOptions": "Repeating Options", + "HeaderDays": "\u0414\u043d\u0438", + "HeaderActiveRecordings": "\u0410\u043a\u0442\u0438\u0432\u043d\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", + "HeaderLatestRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0417\u0430\u043f\u0438\u0441\u0438", + "HeaderAllRecordings": "\u0412\u0441\u0438\u0447\u043a\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", + "ButtonPlay": "\u041f\u0443\u0441\u043d\u0438", + "ButtonEdit": "\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0439", + "ButtonRecord": "\u0417\u0430\u043f\u0438\u0448\u0438", + "ButtonDelete": "\u0418\u0437\u0442\u0440\u0438\u0439", + "ButtonRemove": "\u041f\u0440\u0435\u043c\u0430\u0445\u043d\u0438", + "OptionRecordSeries": "\u0417\u0430\u043f\u0438\u0448\u0438 \u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", + "HeaderDetails": "\u0414\u0435\u0442\u0430\u0439\u043b\u0438", + "TitleLiveTV": "\u0422V \u043d\u0430 \u0436\u0438\u0432\u043e", + "LabelNumberOfGuideDays": "\u0411\u0440\u043e\u0439 \u0434\u043d\u0438 \u0437\u0430 \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u0435 \u0441\u0432\u0430\u043b\u0438 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430:", + "LabelNumberOfGuideDaysHelp": "\u0418\u0437\u0442\u0435\u0433\u043b\u044f\u043d\u0435\u0442\u043e \u043d\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430 \u0437\u0430\u043f\u043e\u0432\u0435\u0447\u0435 \u0434\u043d\u0438 \u0434\u0430\u0432\u0430 \u0432\u044a\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442 \u0434\u0430 \u043f\u043b\u0430\u043d\u0438\u0440\u0430\u0442\u0435 \u043f\u043e-\u043d\u0430\u0442\u0430\u0442\u044a\u0448\u043d\u0438\u0442\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u043f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u043d\u043e, \u043d\u043e \u0438 \u043e\u0442\u043d\u0435\u043c\u0430 \u043f\u043e\u0432\u0435\u0447\u0435 \u0432\u0440\u0435\u043c\u0435, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u0438\u0437\u0442\u0435\u0433\u043b\u0438. \u0410\u0432\u0442\u043e\u043c\u0430\u0442 \u0449\u0435 \u0438\u0437\u0431\u0435\u0440\u0435 \u0432\u044a\u0437 \u043e\u0441\u043d\u043e\u0432\u0430 \u043d\u0430 \u0431\u0440\u043e\u044f \u043d\u0430 \u043a\u0430\u043d\u0430\u043b\u0438\u0442\u0435.", + "OptionAutomatic": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442", + "HeaderServices": "Services", + "LiveTvPluginRequired": "\u041d\u0435\u0431\u0445\u043e\u0434\u0438\u043c\u0430 \u0435 \u043f\u0440\u0438\u0441\u0442\u0430\u0432\u043a\u0430 \u0437\u0430 \u0433\u043b\u0435\u0434\u0430\u043d\u0435 \u043d\u0430 \u0442\u0435\u043b\u0435\u0432\u0438\u0437\u0438\u044f \u043d\u0430 \u0436\u0438\u0432\u043e, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438.", + "LiveTvPluginRequiredHelp": "\u041c\u043e\u043b\u044f, \u0438\u043d\u0441\u0442\u0430\u043b\u0438\u0440\u0430\u0439\u0442\u0435 \u043d\u044f\u043a\u043e\u044f \u043e\u0442 \u043d\u0430\u043b\u0438\u0447\u043d\u0438\u0442\u0435 \u043f\u0440\u0438\u0441\u0442\u0430\u0432\u043a\u0438, \u043a\u0430\u0442\u043e \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440 Next Pvr \u0438\u043b\u0438 ServerWmc.", + "LabelCustomizeOptionsPerMediaType": "\u041f\u0435\u0440\u0441\u043e\u043d\u0430\u043b\u0438\u0437\u0438\u0440\u0430\u043d\u0435 \u0437\u0430 \u0442\u0438\u043f \u043c\u0435\u0434\u0438\u044f:", + "OptionDownloadThumbImage": "\u041c\u0438\u043d\u0438\u0430\u0442\u044e\u0440\u0430", + "OptionDownloadMenuImage": "\u041c\u0435\u043d\u044e", + "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e", + "OptionDownloadBoxImage": "\u041a\u0443\u0442\u0438\u044f", + "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a", + "OptionDownloadBannerImage": "\u0411\u0430\u043d\u0435\u0440", + "OptionDownloadBackImage": "\u0417\u0430\u0434\u043d\u0430 \u0447\u0430\u0441\u0442", + "OptionDownloadArtImage": "\u0418\u0437\u043a\u0443\u0441\u0442\u0432\u043e", + "OptionDownloadPrimaryImage": "\u041a\u043e\u0440\u0438\u0446\u0430", + "HeaderFetchImages": "\u0421\u0432\u0430\u043b\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f:", + "HeaderImageSettings": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u0430\u0442\u0430", + "TabOther": "\u0414\u0440\u0443\u0433\u0438", + "LabelMaxBackdropsPerItem": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u0435\u043d \u0431\u0440\u043e\u0439 \u0444\u043e\u043d\u043e\u0432\u0435 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f:", + "LabelMaxScreenshotsPerItem": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u0435\u043d \u0431\u0440\u043e\u0439 \u0441\u043a\u0440\u0438\u0439\u043d\u0448\u043e\u0442\u0438 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f:", + "LabelMinBackdropDownloadWidth": "\u041c\u0438\u043d\u0438\u043c\u0430\u043b\u043d\u0430 \u0448\u0438\u0440\u043e\u0447\u0438\u043d\u0430 \u043d\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u0438\u044f \u0444\u043e\u043d:", + "LabelMinScreenshotDownloadWidth": "\u041c\u0438\u043d\u0438\u043c\u0430\u043b\u043d\u0430 \u0448\u0438\u0440\u043e\u0447\u0438\u043d\u0430 \u043d\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u0438\u044f \u0441\u043a\u0440\u0438\u0439\u043d\u0448\u043e\u0442:", + "ButtonAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0441\u043f\u0443\u0441\u044a\u043a", + "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438 \u0441\u043f\u0443\u0441\u044a\u043a", + "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438", + "LabelTriggerType": "\u0422\u0438\u043f \u043d\u0430 \u0441\u043f\u0443\u0441\u044a\u043a\u0430:", + "OptionDaily": "\u0414\u043d\u0435\u0432\u043d\u043e", + "OptionWeekly": "\u0421\u0435\u0434\u043c\u0438\u0447\u043d\u043e", + "OptionOnInterval": "\u041f\u0440\u0435\u0437 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b", + "OptionOnAppStartup": "\u041a\u0430\u0442\u043e \u0441\u0435 \u0441\u0442\u0430\u0440\u0442\u0438\u0440\u0430 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435\u0442\u043e", + "OptionAfterSystemEvent": "\u0421\u043b\u0435\u0434 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e \u0441\u044a\u0431\u0438\u0442\u0438\u0435", + "LabelDay": "\u0414\u0435\u043d:", + "LabelTime": "\u0412\u0440\u0435\u043c\u0435:", + "LabelEvent": "\u0421\u044a\u0431\u0438\u0442\u0438\u0435:", + "OptionWakeFromSleep": "\u0421\u044a\u0431\u0443\u0436\u0434\u0430\u043d\u0435 \u043e\u0442 \u0441\u044a\u043d", + "LabelEveryXMinutes": "\u041d\u0430 \u0432\u0441\u0435\u043a\u0438:", + "HeaderTvTuners": "\u0422\u0443\u043d\u0435\u0440\u0438", + "HeaderGallery": "\u0413\u0430\u043b\u0435\u0440\u0438\u044f", + "HeaderLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438 \u0418\u0433\u0440\u0438", + "HeaderRecentlyPlayedGames": "\u0421\u043a\u043e\u0440\u043e \u0418\u0433\u0440\u0430\u043d\u0438 \u0418\u0433\u0440\u0438", + "TabGameSystems": "\u0418\u0433\u0440\u043e\u0432\u0438 \u0421\u0438\u0441\u0442\u0435\u043c\u0438", + "TitleMediaLibrary": "\u041c\u0435\u0434\u0438\u0439\u043d\u0430 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430", + "TabFolders": "\u041f\u0430\u043f\u043a\u0438", + "TabPathSubstitution": "\u0417\u0430\u043c\u0435\u0441\u0442\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u044a\u0442", + "LabelSeasonZeroDisplayName": "\u0418\u043c\u0435 \u043d\u0430 \u0421\u0435\u0437\u043e\u043d 0:", + "LabelEnableRealtimeMonitor": "\u0410\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043d\u0430\u0431\u043b\u044e\u0434\u0435\u043d\u0438\u0435 \u0432 \u0440\u0435\u0430\u043b\u043d\u043e \u0432\u0440\u0435\u043c\u0435", + "LabelEnableRealtimeMonitorHelp": "\u041f\u0440\u043e\u043c\u0435\u043d\u0438\u0442\u0435 \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u0435\u043d\u0438 \u0432\u0435\u0434\u043d\u0430\u0433\u0430, \u043d\u0430 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0438 \u0441\u0438\u0441\u0442\u0435\u043c\u0438.", + "ButtonScanLibrary": "\u0421\u043a\u0430\u043d\u0438\u0440\u0430\u0439 \u0411\u0438\u0431\u043b\u0438\u043e\u0442\u0435\u043a\u0430\u0442\u0430", + "HeaderNumberOfPlayers": "\u041f\u043b\u0435\u0439\u044a\u0440\u0438:", + "OptionAnyNumberOfPlayers": "\u0412\u0441\u0435\u043a\u0438", + "Option1Player": "1+", + "Option2Player": "2+", + "Option3Player": "3+", + "Option4Player": "4+", + "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0439\u043d\u0438 \u041f\u0430\u043f\u043a\u0438", + "HeaderThemeVideos": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "HeaderThemeSongs": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043f\u0435\u0441\u043d\u0438", + "HeaderScenes": "\u0421\u0446\u0435\u043d\u0438", + "HeaderAwardsAndReviews": "\u041d\u0430\u0433\u0440\u0430\u0434\u0438 \u0438 \u0440\u0435\u0432\u044e\u0442\u0430", + "HeaderSoundtracks": "\u0424\u0438\u043b\u043c\u043e\u0432\u0430 \u043c\u0443\u0437\u0438\u043a\u0430", + "HeaderMusicVideos": "\u041c\u0443\u0437\u0438\u043a\u0430\u043b\u043d\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", + "HeaderSpecialFeatures": "\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u043d\u0438 \u0414\u043e\u0431\u0430\u0432\u043a\u0438", + "HeaderCastCrew": "\u0415\u043a\u0438\u043f", + "HeaderAdditionalParts": "\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u0427\u0430\u0441\u0442\u0438", + "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.", + "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", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "LabelMetadataPathHelp": "\u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0437\u0430 \u0441\u0432\u0430\u043b\u0435\u043d\u043e \u0438\u0437\u043a\u0443\u0441\u0442\u0432\u043e \u0438 \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f, \u0430\u043a\u043e \u043d\u0435 \u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0432\u0430\u0442 \u0432 \u043f\u0430\u043f\u043a\u0438\u0442\u0435 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f\u0442\u0430.", - "HeaderDays": "\u0414\u043d\u0438", "LabelEnableDlnaPlayToHelp": "\u0415mby \u043c\u043e\u0436\u0435 \u0434\u0430 \u0437\u0430\u0441\u0438\u0447\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432 \u043c\u0440\u0435\u0436\u0430\u0442\u0430 \u0432\u0438 \u0438 \u0434\u0430 \u043f\u0440\u0435\u0434\u043b\u0430\u0433\u0430 \u0432\u044a\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442 \u0437\u0430 \u043a\u043e\u043d\u0442\u0440\u043e\u043b \u043d\u0430\u0434 \u0442\u044f\u0445.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "\u0412\u0440\u0435\u043c\u0435\u043d\u0435\u043d \u043f\u044a\u0442 \u043d\u0430 \u043f\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0430\u043d\u0435:", - "HeaderActiveRecordings": "\u0410\u043a\u0442\u0438\u0432\u043d\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d \u043a\u043e\u043d\u0442\u0440\u043e\u043b \u043d\u0430 \u0434\u0440\u0443\u0433\u0438 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0438", - "LabelTranscodingTempPathHelp": "\u0422\u0430\u0437\u0438 \u043f\u0430\u043f\u043a\u0430 \u0441\u044a\u0434\u044a\u0440\u0436\u0430 \u0440\u0430\u0431\u043e\u0442\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u043d\u0438 \u043e\u0442 \u0442\u0440\u0430\u043d\u0441\u043a\u043e\u0434\u0435\u0440\u0430. \u0417\u0430\u0434\u0430\u0439\u0442\u0435 \u043c\u044f\u0441\u0442\u043e \u043f\u043e \u0438\u0437\u0431\u043e\u0440 \u0438\u043b\u0438 \u043e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043f\u0440\u0430\u0437\u043d\u043e \u0437\u0430 \u043c\u044f\u0441\u0442\u043e\u0442\u043e \u043f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435.", - "HeaderLatestRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0417\u0430\u043f\u0438\u0441\u0438", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "\u041e\u0441\u043d\u043e\u0432\u0438", - "HeaderAllRecordings": "\u0412\u0441\u0438\u0447\u043a\u0438 \u0417\u0430\u043f\u0438\u0441\u0438", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "\u041f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u043e \u0438\u043c\u0435 \u0438\u043b\u0438 email:", - "TabTV": "TV", - "LabelService": "\u0423\u0441\u043b\u0443\u0433\u0430:", - "ButtonPlay": "\u041f\u0443\u0441\u043d\u0438", "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f \u0432\u0440\u0435\u043c\u0435\u0442\u0440\u0430\u0435\u043d\u0435\u0442\u043e \u0432 \u0441\u0435\u043a\u0443\u043d\u0434\u0438 \u043c\u0435\u0436\u0434\u0443 SSDP \u0442\u044a\u0440\u0441\u0435\u043d\u0438\u044f \u043d\u0430\u043f\u0440\u0430\u0432\u0435\u043d\u0438 \u043e\u0442 Emby.", - "LabelEnterConnectUserNameHelp": "\u0422\u043e\u0432\u0430 \u0441\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 Emby \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0441\u043a\u043e \u0438\u043c\u0435 \u0438 \u043f\u0430\u0440\u043e\u043b\u0430.", - "TabGames": "\u0418\u0433\u0440\u0438", - "LabelStatus": "\u0421\u044a\u0441\u0442\u043e\u044f\u043d\u0438\u0435:", - "ButtonEdit": "\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u0439", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", - "LabelVersion": "\u0412\u0435\u0440\u0441\u0438\u044f:", - "ButtonRecord": "\u0417\u0430\u043f\u0438\u0448\u0438", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "\u0414\u0440\u0443\u0433\u043e", - "LabelLastResult": "\u041f\u043e\u0441\u043b\u0435\u0434\u0435\u043d \u0440\u0435\u0437\u0443\u043b\u0442\u0430\u0442:", - "ButtonDelete": "\u0418\u0437\u0442\u0440\u0438\u0439", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "\u0418\u0437\u0432\u0430\u0434\u0435\u043d\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u0437\u0430:", - "OptionRecordSeries": "\u0417\u0430\u043f\u0438\u0448\u0438 \u041f\u0440\u0435\u0434\u0430\u0432\u0430\u043d\u0438\u044f", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "\u0424\u0438\u043b\u043c\u0438", - "HeaderDetails": "\u0414\u0435\u0442\u0430\u0439\u043b\u0438", "TitleDashboard": "Dashboard", - "OptionEpisodes": "\u0415\u043f\u0438\u0437\u043e\u0434\u0438", "TabHome": "Home", - "OptionOtherVideos": "\u0414\u0440\u0443\u0433\u0438 \u043a\u043b\u0438\u043f\u043e\u0432\u0435", "TabInfo": "Info", - "TitleMetadata": "\u041c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u043e\u0442 TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u043e\u0442 TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 fanart.tv. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 TheMovieDB.org. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "\u0410\u043a\u043e \u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u043e, \u043d\u043e\u0432\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0449\u0435 \u0431\u044a\u0434\u0430\u0442 \u0441\u0432\u0430\u043b\u044f\u043d\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043a\u0430\u0442\u043e \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u044f\u0442 \u0432\u044a\u0432 TheTVDB.com. \u0412\u0435\u0447\u0435 \u0441\u044a\u0449\u0435\u0441\u0442\u0432\u0443\u0432\u0430\u0449\u0438 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u044f\u043c\u0430 \u0434\u0430 \u0431\u044a\u0434\u0430\u0442 \u0437\u0430\u043c\u0435\u043d\u044f\u043d\u0438.", - "OptionFolderSort": "\u041f\u0430\u043f\u043a\u0438", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u0430\u0439 Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "\u0424\u043e\u043d", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d \u0435\u0437\u0438\u043a \u043d\u0430 \u0441\u0432\u0430\u043b\u044f\u043d\u0435:", - "TitleLiveTV": "\u0422V \u043d\u0430 \u0436\u0438\u0432\u043e", "LabelPreferredDisplayLanguageHelp": "\u041f\u0440\u0435\u0432\u0435\u0436\u0434\u0430\u043d\u0435\u0442\u043e \u043d\u0430 Emby \u0435 \u0440\u0430\u0441\u0442\u044f\u0449 \u043f\u0440\u043e\u0435\u043a\u0442, \u043a\u043e\u0439\u0442\u043e \u0432\u0441\u0435 \u043e\u0449\u0435 \u043d\u0435 \u0435 \u0437\u0430\u0432\u044a\u0440\u0448\u0435\u043d.", - "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u043d \u0441\u043a\u0440\u043e\u043b", - "LabelNumberOfGuideDays": "\u0411\u0440\u043e\u0439 \u0434\u043d\u0438 \u0437\u0430 \u043a\u043e\u0438\u0442\u043e \u0434\u0430 \u0441\u0435 \u0441\u0432\u0430\u043b\u0438 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u0430:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "TCP \u043f\u043e\u0440\u0442\u044a\u0442 \u043d\u0430 \u043a\u043e\u0439\u0442\u043e HTTP \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u0430 Emby \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0435 \u0437\u0430\u043a\u0430\u0447\u0438.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "TCP \u043f\u043e\u0440\u0442\u044a\u0442 \u043d\u0430 \u043a\u043e\u0439\u0442\u043e HTTPS \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u043d\u0430 Emby \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0435 \u0437\u0430\u043a\u0430\u0447\u0438.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "\u0410\u043a\u043e \u0438\u043c\u0430\u0442\u0435 \u0434\u0438\u043d\u0430\u043c\u0438\u0447\u0435\u043d DNS \u0433\u043e \u0432\u044a\u0432\u0435\u0434\u0435\u0442\u0435 \u0442\u0443\u043a. Emby \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u0442\u0430 \u0449\u0435 \u0433\u043e \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442 \u043f\u0440\u0438 \u043e\u0442\u0434\u0430\u043b\u0435\u0447\u0435\u043d\u043e \u0441\u0432\u044a\u0440\u0437\u0432\u0430\u043d\u0435. \u041e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043f\u0440\u0430\u0437\u043d\u043e \u0437\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u043e \u043e\u0442\u043a\u0440\u0438\u0432\u0430\u043d\u0435.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "\u041f\u043e\u0434\u043a\u0440\u0435\u043f\u0435\u0442\u0435 Emby \u041e\u0442\u0431\u043e\u0440\u044a\u0442", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "\u041d\u0430\u043b\u0438\u0447\u043d\u0430 \u0435 \u043d\u043e\u0432\u0430 \u0432\u0435\u0440\u0441\u0438\u044f \u043d\u0430 Emby Server!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server \u0435 \u043d\u0430\u0439-\u043d\u043e\u0432\u0430\u0442\u0430 \u043d\u0430\u043b\u0438\u0447\u043d\u0430 \u0432\u0435\u0440\u0441\u0438\u044f.", + "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": "\u0412\u044a\u0432\u0435\u0434\u0435\u0442\u0435 \u0432\u0430\u0448\u0438\u044f \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u043b\u044e\u0447, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u043d\u0430\u0441\u043b\u0430\u0434\u0438\u0442\u0435 \u043d\u0430 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438\u0442\u0435 \u0435\u043a\u0441\u0442\u0440\u0438 \u043d\u0430\u043f\u0440\u0430\u0432\u0435\u043d\u0438 \u043e\u0442 \u043e\u0431\u0449\u043d\u043e\u0441\u0442\u0442\u0430.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "\u0417\u0430 \u0434\u0430 \u043c\u043e\u0436\u0435 \u043a\u0430\u043a\u044a\u0432\u0442\u043e \u0438 \u0434\u0430 \u0435 \u043f\u0440\u0435\u043c\u0438\u0443\u043c \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b \u0434\u0430 \u0431\u044a\u0434\u0435 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u0430\u043d, \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0442\u0435 \u0438 Emby \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a. \u041c\u043e\u043b\u044f, \u0434\u0430\u0440\u044f\u0432\u0430\u0439\u0442\u0435 \u0438 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430\u0439\u0442\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u043d\u043e\u0442\u043e \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0435 \u043d\u0430 \u0433\u043b\u0430\u0432\u043d\u0438\u044f \u043f\u0440\u043e\u0434\u0443\u043a\u0442. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u044f.", + "HeaderDisplaySettings": "Display Settings", + "TabPlayTo": "Play To", + "LabelEnableDlnaServer": "Enable Dlna server", + "LabelEnableDlnaServerHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0430\u0432\u0430 \u043d\u0430 UPnP \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432 \u043c\u0440\u0435\u0436\u0430\u0442\u0430 \u0434\u0430 \u0440\u0430\u0437\u0433\u043b\u0435\u0436\u0434\u0430\u0442 \u0438 \u043f\u0443\u0441\u043a\u0430\u0442 Emby \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435.", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u0442\u0435 \u043d\u0430 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u0430 \u043a\u043e\u043c\u0443\u043d\u0438\u043a\u0438\u0440\u0430 \u0441 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0430\u0432\u0430 \u043d\u0430 UPnP \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432 \u043c\u0440\u0435\u0436\u0430\u0442\u0430 \u0434\u0430 \u0440\u0430\u0437\u0433\u043b\u0435\u0436\u0434\u0430\u0442 \u0438 \u043f\u0443\u0441\u043a\u0430\u0442 Emby \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "\u0422\u0435\u0437\u0438 \u0432\u0435\u043b\u0438\u0447\u0438\u043d\u0438 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0442 \u043a\u0430\u043a Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u0449\u0435 \u0441\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u044f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0442\u0430.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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": "\u041a\u043e\u0433\u0430\u0442\u043e Emby \u0441\u043a\u0430\u043d\u0438\u0440\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 \u0432\u0438\u0434\u0435\u043e \u0444\u0430\u0439\u043b\u043e\u0432\u0435, \u0442\u043e\u0439 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0442\u044a\u0440\u0441\u0438 \u0437\u0430 \u043b\u0438\u043f\u0441\u0432\u0430\u0449\u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u0438 \u0434\u0430 \u0433\u0438 \u0441\u0432\u0430\u043b\u044f \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u0443\u0441\u043b\u0443\u0433\u0430 \u0437\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u043a\u0430\u0442\u043e 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "\u041a\u043e\u0433\u0430\u0442\u043e Emby \u0441\u043a\u0430\u043d\u0438\u0440\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 \u0432\u0438\u0434\u0435\u043e \u0444\u0430\u0439\u043b\u043e\u0432\u0435, \u0442\u043e\u0439 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0441\u0432\u0430\u043b\u044f \u0438\u043c\u0435\u043d\u0430\u0442\u0430 \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u043e\u0442 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u0443\u0441\u043b\u0443\u0433\u0430 \u0437\u0430 \u0433\u043b\u0430\u0438 \u043a\u0430\u0442\u043e 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "\u041a\u043e\u0433\u0430\u0442\u043e Emby \u0441\u043a\u0430\u043d\u0438\u0440\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 \u0432\u0438\u0434\u0435\u043e \u0444\u0430\u0439\u043b\u043e\u0432\u0435, \u0442\u043e\u0439 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0441\u0432\u0430\u043b\u044f \u0438\u043c\u0435\u043d\u0430\u0442\u0430 \u043d\u0430 \u0433\u043b\u0430\u0432\u0438\u0442\u0435 \u043e\u0442 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u0443\u0441\u043b\u0443\u0433\u0430 \u0437\u0430 \u0433\u043b\u0430\u0438 \u043a\u0430\u0442\u043e ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby \u0432\u043a\u043b\u044e\u0447\u0432\u0430 \u0432\u0433\u0440\u0430\u0434\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430 \u043d\u0430 Nfo \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u043e\u043d\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435. \u0417\u0430 \u0434\u0430 \u043f\u0443\u0441\u043d\u0435\u0442\u0435 \u0438\u043b\u0438 \u0441\u043f\u0440\u0435\u0442\u0435 Nfo \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f, \u0438\u0437\u043f\u043e\u0437\u0432\u0430\u0439\u0442\u0435 \u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438\u0442\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438, \u0437\u0430 \u0434\u0430 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u0435 \u0432\u044a\u0437\u043c\u043e\u0436\u043d\u0438\u0442\u0435 \u043e\u043f\u0446\u0438\u0438 \u0437\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u0442\u0438\u043f\u043e\u0432\u0435.", + "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", + "LabelKodiMetadataUserHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u0442\u0435 \u0442\u043e\u0432\u0430, \u0437\u0430 \u0434\u0430 \u0434\u044a\u0440\u0436\u0438\u0442\u0435 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430 \u0437\u0430 \u0433\u043b\u0435\u0434\u0430\u043d\u0438\u044f\u0442\u0430 \u043c\u0435\u0436\u0434\u0443 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u0438 Nfo \u0444\u0430\u0439\u043b\u043e\u0432\u0435\u0442\u0435 \u0443\u0435\u0434\u043d\u0430\u043a\u0432\u0435\u043d\u0430.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "\u041f\u0435\u0440\u0441\u043e\u043d\u0430\u043b\u0438\u0437\u0438\u0440\u0430\u0439\u0442\u0435 \u0438\u0437\u0433\u043b\u0435\u0434\u0430 \u043d\u0430 Emby \u0437\u0430 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u043d\u043e\u0442\u043e \u0443\u0434\u043e\u0431\u0441\u0442\u0432\u043e \u043d\u0430 \u0432\u0430\u0448\u0430\u0442\u0430 \u0433\u0440\u0443\u043f\u0430 \u0438\u043b\u0438 \u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "LabelEmailAddress": "Email address", - "LabelSupporterEmailAddress": "The email address that was used to purchase the key.", - "ButtonRetrieveKey": "Retrieve Key", - "LabelSupporterKey": "Supporter Key (paste from email)", - "LabelSupporterKeyHelp": "\u0412\u044a\u0432\u0435\u0434\u0435\u0442\u0435 \u0432\u0430\u0448\u0438\u044f \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u043b\u044e\u0447, \u0437\u0430 \u0434\u0430 \u0441\u0435 \u043d\u0430\u0441\u043b\u0430\u0434\u0438\u0442\u0435 \u043d\u0430 \u0434\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438\u0442\u0435 \u0435\u043a\u0441\u0442\u0440\u0438 \u043d\u0430\u043f\u0440\u0430\u0432\u0435\u043d\u0438 \u043e\u0442 \u043e\u0431\u0449\u043d\u043e\u0441\u0442\u0442\u0430.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "\u0417\u0430 \u0434\u0430 \u043c\u043e\u0436\u0435 \u043a\u0430\u043a\u044a\u0432\u0442\u043e \u0438 \u0434\u0430 \u0435 \u043f\u0440\u0435\u043c\u0438\u0443\u043c \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b \u0434\u0430 \u0431\u044a\u0434\u0435 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u0430\u043d, \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0441\u0442\u0435 \u0438 Emby \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043d\u0438\u043a. \u041c\u043e\u043b\u044f, \u0434\u0430\u0440\u044f\u0432\u0430\u0439\u0442\u0435 \u0438 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430\u0439\u0442\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u043d\u043e\u0442\u043e \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0435 \u043d\u0430 \u0433\u043b\u0430\u0432\u043d\u0438\u044f \u043f\u0440\u043e\u0434\u0443\u043a\u0442. \u0411\u043b\u0430\u0433\u043e\u0434\u0430\u0440\u044f.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "\u041a\u043e\u0433\u0430\u0442\u043e Emby \u0441\u043a\u0430\u043d\u0438\u0440\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 \u0432\u0438\u0434\u0435\u043e \u0444\u0430\u0439\u043b\u043e\u0432\u0435, \u0442\u043e\u0439 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0442\u044a\u0440\u0441\u0438 \u0437\u0430 \u043b\u0438\u043f\u0441\u0432\u0430\u0449\u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u0438 \u0434\u0430 \u0433\u0438 \u0441\u0432\u0430\u043b\u044f \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u043a\u0438 \u0443\u0441\u043b\u0443\u0433\u0430 \u0437\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0438 \u043a\u0430\u0442\u043e OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u0442\u0435 \u043d\u0430 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u0430 \u043a\u043e\u043c\u0443\u043d\u0438\u043a\u0438\u0440\u0430 \u0441 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby \u0432\u043a\u043b\u044e\u0447\u0432\u0430 \u0432\u0433\u0440\u0430\u0434\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0440\u044a\u0436\u043a\u0430 \u043d\u0430 Nfo \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u043e\u043d\u043d\u0438 \u0444\u0430\u0439\u043b\u043e\u0432\u0435. \u0417\u0430 \u0434\u0430 \u043f\u0443\u0441\u043d\u0435\u0442\u0435 \u0438\u043b\u0438 \u0441\u043f\u0440\u0435\u0442\u0435 Nfo \u043c\u0435\u0442\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f, \u0438\u0437\u043f\u043e\u0437\u0432\u0430\u0439\u0442\u0435 \u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438\u0442\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438, \u0437\u0430 \u0434\u0430 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u0435 \u0432\u044a\u0437\u043c\u043e\u0436\u043d\u0438\u0442\u0435 \u043e\u043f\u0446\u0438\u0438 \u0437\u0430 \u043c\u0435\u0434\u0438\u0439\u043d\u0438\u0442\u0435 \u0442\u0438\u043f\u043e\u0432\u0435.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u0431\u0435 \u043e\u0431\u043d\u043e\u0432\u0435\u043d.", - "LabelKodiMetadataUserHelp": "\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u0442\u0435 \u0442\u043e\u0432\u0430, \u0437\u0430 \u0434\u0430 \u0434\u044a\u0440\u0436\u0438\u0442\u0435 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f\u0442\u0430 \u0437\u0430 \u0433\u043b\u0435\u0434\u0430\u043d\u0438\u044f\u0442\u0430 \u043c\u0435\u0436\u0434\u0443 Emby \u0441\u044a\u0440\u0432\u044a\u0440\u044a\u0442 \u0438 Nfo \u0444\u0430\u0439\u043b\u043e\u0432\u0435\u0442\u0435 \u0443\u0435\u0434\u043d\u0430\u043a\u0432\u0435\u043d\u0430.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "\u0412\u0430\u0448\u0438\u044f\u0442 \u043b\u0435\u0441\u0435\u043d \u043f\u0438\u043d \u043a\u043e\u0434 \u0435 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u043d \u0437\u0430 \u043e\u0444\u043b\u0430\u0439\u043d \u0434\u043e\u0441\u0442\u044a\u043f \u0441\u044a\u0441 \u0441\u044a\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u0438 Emby \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u043a\u0430\u043a\u0442\u043e \u0438 \u0437\u0430 \u0432\u043b\u0438\u0437\u0430\u043d\u0435 \u043f\u0440\u0435\u0437 \u0441\u044a\u0449\u0430\u0442\u0430 \u043c\u0440\u0435\u0436\u0430.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "\u041f\u0440\u043e\u0444\u0438\u043b\u043d\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0430\u043d\u0430 \u0441 Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "\u0412\u043b\u0435\u0437\u0442\u0435 \u0441 Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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": "\u0422\u044f\u0445\u043d\u043e\u0442\u043e Emby \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043a\u0441\u043a\u043e \u0438\u043c\u0435 \u0438\u043b\u0438 \u0438\u043c\u0435\u0439\u043b \u0430\u0434\u0440\u0435\u0441:", + "LabelConnectUserName": "Emby \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043a\u0441\u043a\u043e \u0438\u043c\u0435\/\u0438\u043c\u0435\u0439\u043b \u0430\u0434\u0440\u0435\u0441:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043a\u0441\u043a\u043e \u0438\u043c\u0435\/\u0438\u043c\u0435\u0439\u043b \u0430\u0434\u0440\u0435\u0441:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "\u0422\u044f\u0445\u043d\u043e\u0442\u043e Emby \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043a\u0441\u043a\u043e \u0438\u043c\u0435 \u0438\u043b\u0438 \u0438\u043c\u0435\u0439\u043b \u0430\u0434\u0440\u0435\u0441:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "\u0412\u043b\u0435\u0437\u0442\u0435 \u0441 Emby Connect", + "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": "\u041f\u0440\u043e\u0444\u0438\u043b\u043d\u0430 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u0430\u043d\u0430 \u0441 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 b70c48516b..3a2757227f 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ca.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ca.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Versi\u00f3 Oficial", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Inestable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Sortir", + "LabelVisitCommunity": "Visitar la comunitat", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Est\u00e0ndard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Examinar la biblioteca", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Obrir el visor de la biblioteca", + "LabelRestartServer": "Reiniciar el servidor", + "LabelShowLogWindow": "Veure la finestra del registre", + "LabelPrevious": "Anterior", + "LabelFinish": "Finalitzar", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Seg\u00fcent", + "LabelYoureDone": "Ja est\u00e0!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Expliqui'ns sobre vost\u00e8", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "El seu nom:", + "MoreUsersCanBeAddedLater": "M\u00e9s usuaris es poden afegir m\u00e9s tard en el tauler d'instruments.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Servei de Windows", + "AWindowsServiceHasBeenInstalled": "El servei de Windows s'ha instal \u00b7 lat.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Si s'utilitza el servei de Windows, tingui en compte que no es pot executar a la vegada que la icona de la safata, de manera que haur\u00e0 de sortir de la safata per tal d'executar el servei. Tamb\u00e9 haur\u00e0 de ser configurat amb privilegis administratius a trav\u00e9s del panell de control del servei. Tingueu en compte que en aquest moment el servei no \u00e9s capa\u00e7 d'auto-actualitzaci\u00f3, de manera que les noves versions requereixen la interacci\u00f3 manual.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Expliqui'ns sobre vost\u00e8", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "El seu nom:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "M\u00e9s usuaris es poden afegir m\u00e9s tard en el tauler d'instruments.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Servei de Windows", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "El servei de Windows s'ha instal \u00b7 lat.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "Si s'utilitza el servei de Windows, tingui en compte que no es pot executar a la vegada que la icona de la safata, de manera que haur\u00e0 de sortir de la safata per tal d'executar el servei. Tamb\u00e9 haur\u00e0 de ser configurat amb privilegis administratius a trav\u00e9s del panell de control del servei. Tingueu en compte que en aquest moment el servei no \u00e9s capa\u00e7 d'auto-actualitzaci\u00f3, de manera que les noves versions requereixen la interacci\u00f3 manual.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Sortir", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visitar la comunitat", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Est\u00e0ndard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Examinar la biblioteca", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Obrir el visor de la biblioteca", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Reiniciar el servidor", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Veure la finestra del registre", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Anterior", "TabMovies": "Movies", - "LabelFinish": "Finalitzar", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Seg\u00fcent", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Ja est\u00e0!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Versi\u00f3 Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inestable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 06d97f7e34..f04072f380 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/cs.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/cs.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "V\u00edtejte v Emby!", - "LabelImageSavingConvention": "Konvence ukl\u00e1d\u00e1n\u00ed obr\u00e1zk\u016f:", - "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.", - "HeaderNewCollection": "Nov\u00e1 kolekce", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standardn\u00ed - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Vytvo\u0159it", - "ButtonSignIn": "P\u0159ihl\u00e1sit se", - "LiveTvPluginRequired": "P\u0159ed pokra\u010dov\u00e1n\u00edm je vy\u017eadov\u00e1n plugin TV poskytovatele.", - "TitleSignIn": "P\u0159ihl\u00e1sit se", - "LiveTvPluginRequiredHelp": "Pros\u00edm nainstalujte jeden z dostupn\u00fdch plugin\u016f, jako Next PVR nebo ServerWmc", - "LabelWebSocketPortNumber": "\u010c\u00edslo portu web socketu:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Pros\u00edme, p\u0159ihlaste se", - "LabelUser": "U\u017eivatel:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Heslo:", - "OptionDownloadThumbImage": "Miniatura", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manu\u00e1ln\u00ed p\u0159ihl\u00e1\u0161en\u00ed", - "OptionDownloadMenuImage": "Nab\u00eddka", - "TabResume": "P\u0159eru\u0161it", - "PasswordLocalhostMessage": "Heslo nen\u00ed nutn\u00e9, pokud se p\u0159ihla\u0161ujete z m\u00edstn\u00edho PC-", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Po\u010das\u00ed", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "Nastaven\u00ed aplikace", - "ButtonDeleteImage": "Odstranit obr\u00e1zek", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Minim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:", - "ButtonUpload": "Nahr\u00e1t", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Maxim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:", - "HeaderUploadNewImage": "Nahr\u00e1t nov\u00fd obr\u00e1zek", - "OptionDownloadBackImage": "Zadek", - "LabelMinResumeDuration": "Minim\u00e1ln\u00ed doba trv\u00e1n\u00ed (v sekund\u00e1ch):", - "OptionHideWatchedContentFromLatestMedia": "Skr\u00fdt p\u0159ehr\u00e1n obsah ze seznamu naposledy p\u0159idan\u00fdch m\u00e9di\u00ed", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Obal", - "LabelMinResumePercentageHelp": "Tituly budou ozna\u010deny jako \"nep\u0159ehr\u00e1no\", pokud budou zastaveny p\u0159ed t\u00edmto \u010dasem.", - "ImageUploadAspectRatioHelp": "Doporu\u010den pom\u011br 1:1. Pouze JPG\/PNG.", - "OptionDownloadPrimaryImage": "Prim\u00e1rn\u00ed", - "LabelMaxResumePercentageHelp": "Tituly budou ozna\u010deny jako \"p\u0159ehr\u00e1no\", pokud budou zastaveny po tomto \u010dase", - "MessageNothingHere": "Tady nic nen\u00ed.", - "HeaderFetchImages": "Na\u010d\u00edst obr\u00e1zky:", - "LabelMinResumeDurationHelp": "Tituly krat\u0161\u00ed, ne\u017e tento \u010das nebudou pozastaviteln\u00e9.", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Pros\u00edm zkontrolujte, zda m\u00e1te povoleno stahov\u00e1n\u00ed metadat z internetu.", - "HeaderImageSettings": "Nastaven\u00ed obr\u00e1zk\u016f", - "TabSuggested": "Doporu\u010den\u00e9", - "LabelMaxBackdropsPerItem": "Maxim\u00e1ln\u00ed po\u010det obr\u00e1zk\u016f na pozad\u00ed pro polo\u017eku:", - "TabLatest": "Posledn\u00ed", - "LabelMaxScreenshotsPerItem": "Maxim\u00e1ln\u00ed po\u010det screenshot\u016f:", - "TabUpcoming": "Nadch\u00e1zej\u00edc\u00ed", - "LabelMinBackdropDownloadWidth": "Maxim\u00e1ln\u00ed \u0161\u00ed\u0159ka pozad\u00ed:", - "TabShows": "Seri\u00e1ly", - "LabelMinScreenshotDownloadWidth": "Minim\u00e1ln\u00ed \u0161\u00ed\u0159ka screenshotu obrazovky:", - "TabEpisodes": "Epizody", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u017d\u00e1nry", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Lid\u00e9", - "ButtonAdd": "P\u0159idat", - "TabNetworks": "S\u00edt\u011b", - "LabelTriggerType": "Typ \u00fakolu:", - "OptionDaily": "Denn\u00ed", - "OptionWeekly": "T\u00fddenn\u00ed", - "OptionOnInterval": "V intervalu", - "OptionOnAppStartup": "P\u0159i spu\u0161t\u011bn\u00ed aplikace", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "Po syst\u00e9mov\u00e9 ud\u00e1losti", - "LabelDay": "Den:", - "LabelTime": "\u010cas:", - "OptionRelease": "Ofici\u00e1ln\u00ed vyd\u00e1n\u00ed", - "LabelEvent": "Ud\u00e1lost:", - "OptionBeta": "Betaverze", - "OptionWakeFromSleep": "Probuzen\u00ed ze sp\u00e1nku", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Nestabiln\u00ed\/V\u00fdvoj\u00e1\u0159sk\u00e1)", - "LabelEveryXMinutes": "Ka\u017ed\u00fd:", - "HeaderTvTuners": "Tunery", - "CategorySync": "Sync", - "HeaderGallery": "Galerie", - "HeaderLatestGames": "Posledn\u00ed hry", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Zav\u0159\u00edt", + "LabelVisitCommunity": "Nav\u0161t\u00edvit komunitu", "LabelGithub": "GitHub", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standardn\u00ed", "LabelApiDocumentation": "Dokumentace API", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "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", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Hudebn\u00ed videa", - "HeaderSpecialFeatures": "Speci\u00e1ln\u00ed funkce", + "LabelBrowseLibrary": "Proch\u00e1zet knihovnu", + "LabelConfigureServer": "Konfigurovat Emby", + "LabelOpenLibraryViewer": "Otev\u0159\u00edt knihovnu", + "LabelRestartServer": "Restartovat server", + "LabelShowLogWindow": "Zobrazit okno z\u00e1znam\u016f", + "LabelPrevious": "P\u0159edchoz\u00ed", + "LabelFinish": "Dokon\u010dit", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Dal\u0161\u00ed", + "LabelYoureDone": "Hotovo!", + "WelcomeToProject": "V\u00edtejte v Emby!", + "ThisWizardWillGuideYou": "Tento pr\u016fvodce V\u00e1m pom\u016f\u017ee proj\u00edt procesem nastaven\u00ed. Pro za\u010d\u00e1tek vyberte jazyk.", + "TellUsAboutYourself": "\u0158ekn\u011bte n\u00e1m n\u011bco o sob\u011b", + "ButtonQuickStartGuide": "Rychl\u00fd pr\u016fvodce", + "LabelYourFirstName": "Va\u0161e k\u0159estn\u00ed jm\u00e9no:", + "MoreUsersCanBeAddedLater": "Dal\u0161\u00ed u\u017eivatele m\u016f\u017eete p\u0159idat pozd\u011bji na n\u00e1st\u011bnce.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Slu\u017eba Windows", + "AWindowsServiceHasBeenInstalled": "Slu\u017eba Windows byla nainstalov\u00e1na.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Pokud pou\u017e\u00edv\u00e1te Slu\u017ebu Windows berte na v\u011bdom\u00ed, \u017ee nem\u016f\u017ee b\u00fdt spu\u0161t\u011bna z\u00e1rove\u0148 s programem v oznamovac\u00ed oblasti. Bude nutn\u00e9 b\u011b\u017e\u00edc\u00ed aplikaci v oznamovac\u00ed oblasti ukon\u010dit. Slu\u017eba Windows mus\u00ed b\u00fdt z\u00e1rove\u0148 nakonfigurov\u00e1na s pr\u00e1vy administr\u00e1tora v ovl\u00e1dac\u00edch panelech. V tuto chv\u00edli slu\u017eba neumo\u017e\u0148uje automatickou aktualizaci, bude proto nutn\u00e9 novou verzi nainstalovat ru\u010dn\u011b.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Konfigurovat nastaven\u00ed", + "LabelEnableVideoImageExtraction": "Povolit extrahov\u00e1n\u00ed obr\u00e1zku ze souboru", + "VideoImageExtractionHelp": "Pro videa, kter\u00e9 je\u0161t\u011b nemaj\u00ed obr\u00e1zky obalu, a zat\u00edm nejsme schopni je dohledat. Tato operace vy\u017eaduje n\u011bjak\u00fd ten \u010das nav\u00edc, ve v\u00fdsledku ale p\u0159isp\u011bje k hez\u010d\u00edmu zobrazen\u00ed knihovny.", + "LabelEnableChapterImageExtractionForMovies": "Extrahov\u00e1n\u00ed obr\u00e1zk\u016f sc\u00e9n pro Filmy", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Povolit automatick\u00e9 mapov\u00e1n\u00ed port\u016f", + "LabelEnableAutomaticPortMappingHelp": "UPnP umo\u017e\u0148uje automatick\u00e9 nastaven\u00ed routeru pro vzd\u00e1len\u00fd p\u0159\u00edstup. Nemus\u00ed fungovat s n\u011bkter\u00fdmi typy router\u016f.", + "HeaderTermsOfService": "Emby Podm\u00ednky slu\u017eby", + "MessagePleaseAcceptTermsOfService": "Ne\u017e budete pokra\u010dovat, p\u0159ijm\u011bte pros\u00edm podm\u00ednky slu\u017eby a z\u00e1sady ochrany osobn\u00edch \u00fadaj\u016f.", + "OptionIAcceptTermsOfService": "Souhlas\u00edm s podm\u00ednkami slu\u017eby", + "ButtonPrivacyPolicy": "Ochrana osobn\u00edch \u00fadaj\u016f", + "ButtonTermsOfService": "Podm\u00ednky slu\u017eby", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Herci a obsazen\u00ed", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Dal\u0161\u00ed sou\u010d\u00e1sti", "OptionEnableWebClientResponseCache": "Povolit ukl\u00e1d\u00e1n\u00ed do mezipam\u011bti webov\u00e9 odezvy klienta", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Rozd\u011blit verze od sebe", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Chyb\u00ed", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "Z", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "Do", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "Z:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "P\u0159\u00edklad: D\\Filmy (na serveru)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "Do:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organizovat", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "P\u0159idat u\u017eivatele", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin k\u00f3d:", + "OptionHideWatchedContentFromLatestMedia": "Skr\u00fdt p\u0159ehr\u00e1n obsah ze seznamu naposledy p\u0159idan\u00fdch m\u00e9di\u00ed", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Zru\u0161it", + "ButtonExit": "Zav\u0159\u00edt", + "ButtonNew": "Nov\u00e9", + "HeaderTV": "TV", + "HeaderAudio": "Zvuk", + "HeaderVideo": "Video", "HeaderPaths": "Cesty", - "LabelToHelp": "P\u0159\u00edklad: \\\\MujServer\\Filmy\\ (adres\u00e1\u0159 p\u0159\u00edstupn\u00fd u\u017eivateli)", - "ButtonAddPathSubstitution": "P\u0159idat p\u0159emapov\u00e1n\u00ed", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Speci\u00e1ln\u00ed", - "OptionMissingEpisode": "Chyb\u011bj\u00edc\u00ed episody", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Neodvys\u00edlan\u00e9 epizody", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Se\u0159azen\u00ed n\u00e1zvu epizod", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Jm\u00e9no serie", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb hodnocen\u00ed", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Nastaven\u00ed kvality p\u0159ek\u00f3dov\u00e1n\u00ed_", - "OptionAutomaticTranscodingHelp": "Server rozhodne kvalitu a rychlost", - "LabelPublicHttpPort": "Public http port number:", - "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", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Nejlep\u0161\u00ed kvalita, pomal\u00e9 p\u0159ek\u00f3dov\u00e1n\u00ed, velk\u00e1 z\u00e1t\u011b\u017e procesoru.", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Vy\u0161\u0161\u00ed rychlost", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Vy\u0161\u0161\u00ed kvalita", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Maxim\u00e1ln\u00ed kvalita", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Povolit z\u00e1znam p\u0159ek\u00f3dov\u00e1n\u00ed (pro debugging)", + "HeaderSetupLibrary": "Nastaven\u00ed Va\u0161i knihovny m\u00e9di\u00ed", + "ButtonAddMediaFolder": "P\u0159idat slo\u017eku m\u00e9di\u00ed", + "LabelFolderType": "Typ slo\u017eky:", + "ReferToMediaLibraryWiki": "Pod\u00edvejte se na wiki knihovny m\u00e9di\u00ed.", + "LabelCountry": "Zem\u011b:", + "LabelLanguage": "Jazyk:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferovan\u00fd jazyk metadat:", + "LabelSaveLocalMetadata": "Ulo\u017eit p\u0159ebaly a metadata do slo\u017eky s m\u00e9dii", + "LabelSaveLocalMetadataHelp": "Povol\u00edte-li ulo\u017een\u00ed p\u0159ebal\u016f a metadat do slo\u017eky s m\u00e9dii bude mo\u017en\u00e9 je jednodu\u0161e upravovat.", + "LabelDownloadInternetMetadata": "St\u00e1hnout p\u0159ebal a metadata z internetu", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "P\u0159edvolby", + "TabPassword": "Heslo", + "TabLibraryAccess": "P\u0159\u00edstup ke knihovn\u011b", + "TabAccess": "Access", + "TabImage": "Obr\u00e1zek", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Obr\u00e1zky", + "TabNotifications": "Notifications", + "TabCollectionTitles": "N\u00e1zvy", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Zobrazit chyb\u011bj\u00edc\u00ed epizody", + "LabelUnairedMissingEpisodesWithinSeasons": "Zobrazit neodvys\u00edlan\u00e9 epizody v r\u00e1mci sez\u00f3n", + "HeaderVideoPlaybackSettings": "Nastaven\u00ed p\u0159ehr\u00e1v\u00e1n\u00ed videa", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Up\u0159ednost\u0148ovan\u00fd jazyk videa:", + "LabelSubtitleLanguagePreference": "Up\u0159ednost\u0148ovan\u00fd jazyk titulk\u016f:", "OptionDefaultSubtitles": "Default", - "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", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "U\u017eivatel\u00e9", "OptionOnlyForcedSubtitles": "Pouze vynucen\u00e9 titulky", - "HeaderFilters": "Filtry:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filtr", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Obl\u00edben\u00e9", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "L\u00edb\u00ed se", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Nel\u00edb\u00ed se", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profily", + "TabSecurity": "Zabezpe\u010den\u00ed", + "ButtonAddUser": "P\u0159idat u\u017eivatele", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Ulo\u017eit", + "ButtonResetPassword": "Obnovit heslo", + "LabelNewPassword": "Nov\u00e9 heslo:", + "LabelNewPasswordConfirm": "Potvrzen\u00ed nov\u00e9ho heslo:", + "HeaderCreatePassword": "Vytvo\u0159it heslo", + "LabelCurrentPassword": "Aktu\u00e1ln\u00ed heslo:", + "LabelMaxParentalRating": "Maxim\u00e1ln\u00ed povolen\u00e9 rodi\u010dovsk\u00e9 hodnocen\u00ed:", + "MaxParentalRatingHelp": "Obsah s vy\u0161\u0161\u00edm hodnocen\u00edm bude tomuto u\u017eivateli blokov\u00e1n.", + "LibraryAccessHelp": "Vyberte slo\u017eky m\u00e9di\u00ed pro sd\u00edlen\u00ed s t\u00edmto u\u017eivatelem. Administr\u00e1to\u0159i budou moci editovat v\u0161echny slo\u017eky pomoc\u00ed metadata mana\u017eeru.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Odstranit obr\u00e1zek", + "LabelSelectUsers": "Vyberte u\u017eivatele:", + "ButtonUpload": "Nahr\u00e1t", + "HeaderUploadNewImage": "Nahr\u00e1t nov\u00fd obr\u00e1zek", + "LabelDropImageHere": "Drop image here", + "ImageUploadAspectRatioHelp": "Doporu\u010den pom\u011br 1:1. Pouze JPG\/PNG.", + "MessageNothingHere": "Tady nic nen\u00ed.", + "MessagePleaseEnsureInternetMetadata": "Pros\u00edm zkontrolujte, zda m\u00e1te povoleno stahov\u00e1n\u00ed metadat z internetu.", + "TabSuggested": "Doporu\u010den\u00e9", + "TabSuggestions": "Suggestions", + "TabLatest": "Posledn\u00ed", + "TabUpcoming": "Nadch\u00e1zej\u00edc\u00ed", + "TabShows": "Seri\u00e1ly", + "TabEpisodes": "Epizody", + "TabGenres": "\u017d\u00e1nry", + "TabPeople": "Lid\u00e9", + "TabNetworks": "S\u00edt\u011b", + "HeaderUsers": "U\u017eivatel\u00e9", + "HeaderFilters": "Filtry:", + "ButtonFilter": "Filtr", + "OptionFavorite": "Obl\u00edben\u00e9", + "OptionLikes": "L\u00edb\u00ed se", + "OptionDislikes": "Nel\u00edb\u00ed se", "OptionActors": "Herci", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Host\u00e9", - "HeaderCredits": "Credits", "OptionDirectors": "Re\u017eis\u00e9\u0159i", - "TabCollections": "Kolekce", "OptionWriters": "Spisovatel\u00e9", - "TabFavorites": "Favorites", "OptionProducers": "Producenti", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Pozastavit", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Dal\u0161\u00ed nahoru", "NoNextUpItemsMessage": "Nic nenalezeno. Za\u010dn\u011bte sledovat Va\u0161e obl\u00edben\u00e9 seri\u00e1ly!", "HeaderLatestEpisodes": "Posledn\u00ed d\u00edly", @@ -219,42 +200,32 @@ "TabMusicVideos": "Hudebn\u00ed videa", "ButtonSort": "Se\u0159adit", "HeaderSortBy": "Se\u0159adit podle:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Po\u0159ad\u00ed \u0159azen\u00ed:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Shl\u00e9dnuto", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Neshl\u00e9dnuto", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Vzestupn\u011b", "OptionDescending": "Sestupn\u011b", "OptionRuntime": "D\u00e9lka", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Po\u010det p\u0159ehr\u00e1n\u00ed", "OptionDatePlayed": "Datum p\u0159ehr\u00e1n\u00ed", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Datum p\u0159id\u00e1n\u00ed", - "HeaderTV": "TV", "OptionAlbumArtist": "Um\u011blec Alba", - "HeaderTermsOfService": "Emby Podm\u00ednky slu\u017eby", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Um\u011blec", - "MessagePleaseAcceptTermsOfService": "Ne\u017e budete pokra\u010dovat, p\u0159ijm\u011bte pros\u00edm podm\u00ednky slu\u017eby a z\u00e1sady ochrany osobn\u00edch \u00fadaj\u016f.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Souhlas\u00edm s podm\u00ednkami slu\u017eby", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "N\u00e1zev skladby", - "ButtonPrivacyPolicy": "Ochrana osobn\u00edch \u00fadaj\u016f", - "LabelSelectUsers": "Vyberte u\u017eivatele:", "OptionCommunityRating": "Hodnocen\u00ed komunity", - "ButtonTermsOfService": "Podm\u00ednky slu\u017eby", "OptionNameSort": "N\u00e1zev", + "OptionFolderSort": "Slo\u017eky", "OptionBudget": "Rozpo\u010det", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "P\u0159\u00edjem", "OptionPoster": "Plak\u00e1t", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Pozad\u00ed", "OptionTimeline": "\u010casov\u00e1 osa", + "OptionThumb": "Miniatura", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Prapor", "OptionCriticRating": "Hodnocen\u00ed kritik\u016f", "OptionVideoBitrate": "Bitrate videa", "OptionResumable": "Pozastavaviteln\u00fd", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Rozvrh \u00faloh", "TabMyPlugins": "Moje pluginy", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Tento pr\u016fvodce V\u00e1m pom\u016f\u017ee proj\u00edt procesem nastaven\u00ed. Pro za\u010d\u00e1tek vyberte jazyk.", - "TellUsAboutYourself": "\u0158ekn\u011bte n\u00e1m n\u011bco o sob\u011b", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatick\u00e9 aktualizace", - "LabelYourFirstName": "Va\u0161e k\u0159estn\u00ed jm\u00e9no:", - "LabelPinCode": "Pin k\u00f3d:", - "MoreUsersCanBeAddedLater": "Dal\u0161\u00ed u\u017eivatele m\u016f\u017eete p\u0159idat pozd\u011bji na n\u00e1st\u011bnce.", "HeaderNowPlaying": "Pr\u00e1v\u011b hraje", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Posledn\u00ed alba", - "LabelWindowsService": "Slu\u017eba Windows", "HeaderLatestSongs": "Posledn\u00ed skladby", - "ButtonExit": "Zav\u0159\u00edt", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Slu\u017eba Windows byla nainstalov\u00e1na.", "HeaderRecentlyPlayed": "Naposledy p\u0159ehr\u00e1v\u00e1no", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Nej\u010dast\u011bji p\u0159ehr\u00e1v\u00e1no", - "ButtonOrganize": "Organizovat", - "WindowsServiceIntro2": "Pokud pou\u017e\u00edv\u00e1te Slu\u017ebu Windows berte na v\u011bdom\u00ed, \u017ee nem\u016f\u017ee b\u00fdt spu\u0161t\u011bna z\u00e1rove\u0148 s programem v oznamovac\u00ed oblasti. Bude nutn\u00e9 b\u011b\u017e\u00edc\u00ed aplikaci v oznamovac\u00ed oblasti ukon\u010dit. Slu\u017eba Windows mus\u00ed b\u00fdt z\u00e1rove\u0148 nakonfigurov\u00e1na s pr\u00e1vy administr\u00e1tora v ovl\u00e1dac\u00edch panelech. V tuto chv\u00edli slu\u017eba neumo\u017e\u0148uje automatickou aktualizaci, bude proto nutn\u00e9 novou verzi nainstalovat ru\u010dn\u011b.", "DevBuildWarning": "Dev (v\u00fdvoj\u00e1\u0159sk\u00e1) sestaven\u00ed jsou vyd\u00e1v\u00e1na ob\u010das a nepravideln\u011b. Tato sestaven\u00ed nejsou testov\u00e1na, aplikace mohou b\u00fdt nestabiln\u00ed a n\u011bkter\u00e9 sou\u010d\u00e1sti nemus\u00ed fungovat v\u016fbec.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Konfigurovat nastaven\u00ed", - "LabelEnableVideoImageExtraction": "Povolit extrahov\u00e1n\u00ed obr\u00e1zku ze souboru", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "Pro videa, kter\u00e9 je\u0161t\u011b nemaj\u00ed obr\u00e1zky obalu, a zat\u00edm nejsme schopni je dohledat. Tato operace vy\u017eaduje n\u011bjak\u00fd ten \u010das nav\u00edc, ve v\u00fdsledku ale p\u0159isp\u011bje k hez\u010d\u00edmu zobrazen\u00ed knihovny.", - "LabelEnableChapterImageExtractionForMovies": "Extrahov\u00e1n\u00ed obr\u00e1zk\u016f sc\u00e9n pro Filmy", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Povolit automatick\u00e9 mapov\u00e1n\u00ed port\u016f", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP umo\u017e\u0148uje automatick\u00e9 nastaven\u00ed routeru pro vzd\u00e1len\u00fd p\u0159\u00edstup. Nemus\u00ed fungovat s n\u011bkter\u00fdmi typy router\u016f.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Zru\u0161it", - "HeaderAddUser": "P\u0159idat u\u017eivatele", - "HeaderSetupLibrary": "Nastaven\u00ed Va\u0161i knihovny m\u00e9di\u00ed", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "P\u0159idat slo\u017eku m\u00e9di\u00ed", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Typ slo\u017eky:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Pod\u00edvejte se na wiki knihovny m\u00e9di\u00ed.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Zem\u011b:", - "LabelLanguage": "Jazyk:", - "HeaderPreferredMetadataLanguage": "Preferovan\u00fd jazyk metadat:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Ulo\u017eit p\u0159ebaly a metadata do slo\u017eky s m\u00e9dii", - "LabelSaveLocalMetadataHelp": "Povol\u00edte-li ulo\u017een\u00ed p\u0159ebal\u016f a metadat do slo\u017eky s m\u00e9dii bude mo\u017en\u00e9 je jednodu\u0161e upravovat.", - "LabelDownloadInternetMetadata": "St\u00e1hnout p\u0159ebal a metadata z internetu", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Miniatura", - "LabelExit": "Zav\u0159\u00edt", - "OptionBanner": "Prapor", - "LabelVisitCommunity": "Nav\u0161t\u00edvit komunitu", "LabelVideoType": "Typ vide:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Standardn\u00ed", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Proch\u00e1zet knihovnu", "LabelFeatures": "Vlastnosti:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Stav:", + "LabelVersion": "Verze:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Titulky", - "LabelOpenLibraryViewer": "Otev\u0159\u00edt knihovnu", "OptionHasTrailer": "Uk\u00e1zka\/trailer", - "LabelRestartServer": "Restartovat server", "OptionHasThemeSong": "Tematick\u00e1 hudba", - "LabelShowLogWindow": "Zobrazit okno z\u00e1znam\u016f", "OptionHasThemeVideo": "Tematick\u00e9 video", - "LabelPrevious": "P\u0159edchoz\u00ed", "TabMovies": "Filmy", - "LabelFinish": "Dokon\u010dit", "TabStudios": "Studia", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Dal\u0161\u00ed", "TabTrailers": "Uk\u00e1zky\/trailery", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Hotovo!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Posledn\u00ed filmy", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Posledn\u00ed uk\u00e1zky\/trailery", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Speci\u00e1ln\u00ed funkce", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "Hodnocen\u00ed IMDb", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Rodi\u010dovsk\u00e9 hodnocen\u00ed", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Datum premi\u00e9ry", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Z\u00e1kladn\u00ed", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Pokro\u010dil\u00e9", - "FolderTypeTvShows": "TV", "HeaderStatus": "Stav", "OptionContinuing": "Pokra\u010dov\u00e1n\u00ed", "OptionEnded": "Ukon\u010deno", - "HeaderSync": "Sync", - "TabPreferences": "P\u0159edvolby", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Heslo", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Ned\u011ble", - "LabelArtists": "Artists:", - "TabLibraryAccess": "P\u0159\u00edstup ke knihovn\u011b", - "TitleAutoOrganize": "Automatick\u00e9 uspo\u0159\u00e1dan\u00ed", "OptionMonday": "Pond\u011bl\u00ed", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Obr\u00e1zek", - "TabActivityLog": "Z\u00e1znam \u010dinnosti", "OptionTuesday": "\u00dater\u00fd", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "N\u00e1zev", "OptionWednesday": "St\u0159eda", - "LabelDisplayMissingEpisodesWithinSeasons": "Zobrazit chyb\u011bj\u00edc\u00ed epizody", - "HeaderDate": "Datum", "OptionThursday": "\u010ctvrtek", - "LabelUnairedMissingEpisodesWithinSeasons": "Zobrazit neodvys\u00edlan\u00e9 epizody v r\u00e1mci sez\u00f3n", - "HeaderSource": "Zdroj", "OptionFriday": "P\u00e1tek", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Nastaven\u00ed p\u0159ehr\u00e1v\u00e1n\u00ed videa", - "HeaderDestination": "Um\u00edst\u011bn\u00ed", "OptionSaturday": "Sobota", - "LabelAudioLanguagePreference": "Up\u0159ednost\u0148ovan\u00fd jazyk videa:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Chyb\u011bj\u00edc\u00ed Tmdb Id", - "LabelSubtitleLanguagePreference": "Up\u0159ednost\u0148ovan\u00fd jazyk titulk\u016f:", - "HeaderClients": "Klienti", + "LabelManagement": "Management:", "OptionMissingImdbId": "Chyb\u011bj\u00edc\u00ed IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Zvuk", - "LabelCompleted": "Hotovo", "OptionMissingTvdbId": "Chyb\u011bj\u00edc\u00ed TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Rychl\u00fd pr\u016fvodce", - "TabProfiles": "Profily", "OptionMissingOverview": "Chyb\u011bj\u00edc\u00ed p\u0159ehled", + "OptionFileMetadataYearMismatch": "Neodpov\u00edd\u00e1 rok v metadatech a v souboru.", + "TabGeneral": "Obecn\u00e9", + "TitleSupport": "Podpora", + "LabelSeasonNumber": "Season number", + "TabLog": "Z\u00e1znam", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "O programu", + "TabSupporterKey": "Kl\u00ed\u010d sponzora", + "TabBecomeSupporter": "Sta\u0148te se sponzorem", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Prohledat znalostn\u00ed b\u00e1zi.", + "VisitTheCommunity": "Nav\u0161t\u00edvit komunitu", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Skr\u00fdt tohoto u\u017eivatele z p\u0159ihla\u0161ovac\u00edch obrazovek", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "Zablokovat tohoto u\u017eivatele", + "OptionDisableUserHelp": "Pokud je zablokov\u00e1n, server nepovol\u00ed tomuto u\u017eivateli \u017e\u00e1dn\u00e9 p\u0159ipojen\u00ed. Existuj\u00edc\u00ed p\u0159ipojen\u00ed bude okam\u017eit\u011b p\u0159eru\u0161eno.", + "HeaderAdvancedControl": "Pokro\u010dil\u00e9 nastaven\u00ed", + "LabelName": "Jm\u00e9no:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Povolit tomuto u\u017eivateli spr\u00e1vu serveru", + "HeaderFeatureAccess": "P\u0159\u00edstup k funkc\u00edm", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Chyb\u011bj\u00edc\u00ed Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metask\u00f3re", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Zabezpe\u010den\u00ed", - "HeaderVideo": "Video", - "LabelSkipped": "P\u0159esko\u010deno", - "OptionFileMetadataYearMismatch": "Neodpov\u00edd\u00e1 rok v metadatech a v souboru.", "ButtonSelect": "Vybrat", - "ButtonAddUser": "P\u0159idat u\u017eivatele", - "HeaderEpisodeOrganization": "Organizace epizod", - "TabGeneral": "Obecn\u00e9", "ButtonGroupVersions": "Skupinov\u00e9 verze", - "TabGuide": "Pr\u016fvodce", - "ButtonSave": "Ulo\u017eit", - "TitleSupport": "Podpora", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Vyu\u017e\u00edv\u00e1me spr\u00e1vce soubor\u016f \"Pismo\" skrze dotovanou licenci.", - "TabChannels": "Kan\u00e1ly", - "ButtonResetPassword": "Obnovit heslo", - "LabelSeasonNumber": "Season number:", - "TabLog": "Z\u00e1znam", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Pros\u00edm podpo\u0159te dal\u0161\u00ed bezplatn\u00e9 produkty, kter\u00e9 vyu\u017e\u00edv\u00e1me:", - "HeaderChannels": "Kan\u00e1ly", - "LabelNewPassword": "Nov\u00e9 heslo:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "O programu", "VersionNumber": "Verze {0}", - "TabRecordings": "Nahran\u00e9", - "LabelNewPasswordConfirm": "Potvrzen\u00ed nov\u00e9ho heslo:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Kl\u00ed\u010d sponzora", "TabPaths": "Cesty", - "TabScheduled": "Napl\u00e1nov\u00e1no", - "HeaderCreatePassword": "Vytvo\u0159it heslo", - "LabelEndingEpisodeNumberHelp": "Vy\u017eadovan\u00e9 jenom pro s\u00fabory s v\u00edce epizodami", - "TabBecomeSupporter": "Sta\u0148te se sponzorem", "TabServer": "Server", - "TabSeries": "S\u00e9rie", - "LabelCurrentPassword": "Aktu\u00e1ln\u00ed heslo:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "P\u0159ek\u00f3dov\u00e1n\u00ed", - "ButtonCancelRecording": "Zru\u0161it nahr\u00e1v\u00e1n\u00ed", - "LabelMaxParentalRating": "Maxim\u00e1ln\u00ed povolen\u00e9 rodi\u010dovsk\u00e9 hodnocen\u00ed:", - "LabelSupportAmount": "Suma (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Pokro\u010dil\u00e9", - "HeaderPrePostPadding": "P\u0159ed\/po nahr\u00e1v\u00e1n\u00ed", - "MaxParentalRatingHelp": "Obsah s vy\u0161\u0161\u00edm hodnocen\u00edm bude tomuto u\u017eivateli blokov\u00e1n.", - "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.", - "SearchKnowledgeBase": "Prohledat znalostn\u00ed b\u00e1zi.", "LabelAutomaticUpdateLevel": "Automatick\u00e1 \u00farove\u0148 aktualizace", - "LabelPrePaddingMinutes": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed", - "LibraryAccessHelp": "Vyberte slo\u017eky m\u00e9di\u00ed pro sd\u00edlen\u00ed s t\u00edmto u\u017eivatelem. Administr\u00e1to\u0159i budou moci editovat v\u0161echny slo\u017eky pomoc\u00ed metadata mana\u017eeru.", - "ButtonEnterSupporterKey": "Vlo\u017ete kl\u00ed\u010d sponzora", - "VisitTheCommunity": "Nav\u0161t\u00edvit komunitu", + "OptionRelease": "Ofici\u00e1ln\u00ed vyd\u00e1n\u00ed", + "OptionBeta": "Betaverze", + "OptionDev": "Dev (Nestabiln\u00ed\/V\u00fdvoj\u00e1\u0159sk\u00e1)", "LabelAllowServerAutoRestart": "Povolit automatick\u00fd restart serveru pro proveden\u00ed aktualizace", - "OptionPrePaddingRequired": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "Server se restartuje pouze v p\u0159\u00edpad\u011b, \u017ee \u017e\u00e1dn\u00fd z u\u017eivatel\u016f nen\u00ed aktivn\u00ed-", - "LabelPostPaddingMinutes": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed.", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Povolit z\u00e1znam pro lad\u011bn\u00ed", - "OptionPostPaddingRequired": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Skr\u00fdt tohoto u\u017eivatele z p\u0159ihla\u0161ovac\u00edch obrazovek", "LabelRunServerAtStartup": "Spustit server p\u0159i startu", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "Nov\u00e9", - "OptionEnableEpisodeOrganization": "Povolit organizaci nov\u00fdch epizod", - "OptionDisableUser": "Zablokovat tohoto u\u017eivatele", "LabelRunServerAtStartupHelp": "Toto spust\u00ed ikonu v oznamovac\u00ed oblasti. Pro spu\u0161t\u011bn\u00ed slu\u017eby Windows tuto polo\u017eku ponechte od\u0161krtnutou a spus\u0165te slu\u017ebu z ovl\u00e1dac\u00edch panel\u016f. Pros\u00edm berte na v\u011bdom\u00ed \u017ee nemohou b\u011b\u017eet souvisle, bude pot\u0159eba ukon\u010dit program v oznamovac\u00ed oblasti panelu.", - "HeaderUpcomingTV": "Bude v TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Pozrie\u0165 slo\u017eku:", - "OptionDisableUserHelp": "Pokud je zablokov\u00e1n, server nepovol\u00ed tomuto u\u017eivateli \u017e\u00e1dn\u00e9 p\u0159ipojen\u00ed. Existuj\u00edc\u00ed p\u0159ipojen\u00ed bude okam\u017eit\u011b p\u0159eru\u0161eno.", "ButtonSelectDirectory": "Vybrat slo\u017eku", - "TabStatus": "Stav", - "TabImages": "Obr\u00e1zky", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Pokro\u010dil\u00e9 nastaven\u00ed", "LabelCustomPaths": "Specifikujte adres\u00e1\u0159. Nechte pr\u00e1zdn\u00e9 pro defaultn\u00ed nastaven\u00ed.", - "TabSettings": "Nastaven\u00ed", - "TabCollectionTitles": "N\u00e1zvy", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "Zobrazit napl\u00e1novan\u00e9 \u00falohy", - "LabelName": "Jm\u00e9no:", "LabelCachePath": "Adres\u00e1\u0159 pro cache:", - "ButtonRefreshGuideData": "Obnovit data pr\u016fvodce", - "LabelMinFileSizeForOrganize": "Minim\u00e1ln\u00ed velikost souboru (MB):", - "OptionAllowUserToManageServer": "Povolit tomuto u\u017eivateli spr\u00e1vu serveru", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priorita", - "ButtonRemove": "Odstranit", - "LabelMinFileSizeForOrganizeHelp": "Men\u0161\u00ed soubory budou ignorov\u00e1ny.", - "HeaderFeatureAccess": "P\u0159\u00edstup k funkc\u00edm", "LabelImagesByNamePath": "Obr\u00e1zky dle n\u00e1zvu cesty:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "P\u0159idejte nebo odeberte v\u0161echny filmy, seri\u00e1ly, alba, knihy nebo hry, kter\u00e9 chcete seskupit v r\u00e1mci t\u00e9to kolekce.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "P\u0159idat n\u00e1zvy", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Adres\u00e1\u0159 pro metadata:", - "OptionRecordOnlyNewEpisodes": "Nahr\u00e1vat pouze nov\u00e9 epizody", - "LabelEnableDlnaPlayTo": "Povolit DLNA p\u0159ehr\u00e1v\u00e1n\u00ed", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Nahr\u00e1vat pouze nov\u00e9 epizody", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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": "Neodvys\u00edlan\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", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Adres\u00e1\u0159 p\u0159ek\u00f3dov\u00e1n\u00ed:", - "HeaderActiveRecordings": "Aktivn\u00ed nahr\u00e1v\u00e1n\u00ed", "LabelEnableDlnaDebugLogging": "Povolit DLNA protokolov\u00e1n\u00ed (pro lad\u011bn\u00ed)", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Posledn\u00ed nahr\u00e1v\u00e1n\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", - "TabBasics": "Z\u00e1klady", - "HeaderAllRecordings": "V\u0161echna nahr\u00e1v\u00e1n\u00ed", "LabelEnableDlnaClientDiscoveryInterval": "\u010cas pro vyhled\u00e1n\u00ed klienta (sekund)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "Tv", - "LabelService": "Service:", - "ButtonPlay": "P\u0159ehr\u00e1t", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Hry", - "LabelStatus": "Stav:", - "ButtonEdit": "Upravit", "HeaderCustomDlnaProfiles": "Vlastn\u00ed profily", - "TabMusic": "Hudba", - "LabelVersion": "Verze:", - "ButtonRecord": "Nahr\u00e1vat", "HeaderSystemDlnaProfiles": "Syst\u00e9mov\u00e9 profily", - "TabOthers": "Ostatn\u00ed", - "LabelLastResult": "Last result:", - "ButtonDelete": "Odstranit", "CustomDlnaProfilesHelp": "Vytvo\u0159te si vlastn\u00ed profil se zam\u011b\u0159it na nov\u00e9 za\u0159\u00edzen\u00ed nebo p\u0159epsat profil syst\u00e9mu.", - "HeaderExtractChapterImagesFor": "Extrahovat obr\u00e1zky kapitol pro:", - "OptionRecordSeries": "Nahr\u00e1t s\u00e9rie", "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.", - "OptionMovies": "Filmy", - "HeaderDetails": "Detaily", "TitleDashboard": "Hlavn\u00ed nab\u00eddka", - "OptionEpisodes": "Episody", "TabHome": "Dom\u016f", - "OptionOtherVideos": "Ostatn\u00ed videa", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Odkazy", "HeaderSystemPaths": "Syst\u00e9mov\u00e9 cesty", - "LabelAutomaticUpdatesTmdb": "Povolit automatick\u00e9 aktualizace z TheMovieDB.org", "LinkCommunity": "Komunita", - "LabelAutomaticUpdatesTvdb": "Povolit automatick\u00e9 aktualizace z TheTVDB.org", "LinkGithub": "GitHub", - "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.", + "LinkApi": "Api", "LinkApiDocumentation": "Dokumentace API", - "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.", "LabelFriendlyServerName": "N\u00e1zev serveru:", - "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.", - "OptionFolderSort": "Slo\u017eky", "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.", - "LabelConfigureServer": "Konfigurovat Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Pozad\u00ed", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferovan\u00fd jazyk:", - "TitleLiveTV": "\u017div\u00e1 TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Automatick\u00e9 posouv\u00e1n\u00ed", - "LabelNumberOfGuideDays": "Po\u010det dn\u016f pro sta\u017een\u00ed dat pr\u016fvodce:", "LabelReadHowYouCanContribute": "P\u0159e\u010dt\u011bte si o tom, jak m\u016f\u017eete p\u0159isp\u011bt.", + "HeaderNewCollection": "Nov\u00e1 kolekce", + "ButtonSubmit": "Submit", + "ButtonCreate": "Vytvo\u0159it", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "External WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Vy\u017eadovan\u00e9 jenom pro s\u00fabory s v\u00edce epizodami", + "HeaderSupportTheTeam": "Support the Emby Team", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "B\u011b\u017e\u00edc\u00ed \u00falohy", + "HeaderActiveDevices": "Akt\u00edvn\u00ed za\u0159\u00edzen\u00ed", + "HeaderPendingInstallations": "\u010cekaj\u00edc\u00ed instalace", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restartovat nyn\u00ed", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Vypnout", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Aktualizujte te\u010f", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Pros\u00edm, vypn\u011bte server a aktualizujte ru\u010dne.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "P\u0159esko\u010dit, pokud video ji\u017e obsahuje grafick\u00e9 titulky", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "LabelGroupMoviesIntoCollections": "Zoskupit filmy do kolekc\u00ed.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Typ:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video kodeky:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio kodeky:", "LabelProfileCodecs": "Kodeky:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Zav\u0159\u00edt", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Hl\u00e1\u0161en\u00ed", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Spr\u00e1vce metadat", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Ozna\u010dit jako p\u0159e\u010dten\u00e9", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Nejsledovan\u011bj\u0161\u00ed", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Fotografie", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Nahoru", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Dol\u016f", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Vlevo", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Vpravo", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Zp\u011bt", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identifikace", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Dom\u016f", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Nastaven\u00ed", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Zachytit obrazovku", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigace", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "P\u0159ehr\u00e1vat do", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "V\u00fdchoz\u00ed u\u017eivatel", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "V\u00fdrobce", - "ViewTypeMovies": "Filmy", "LabelManufacturerUrl": "Web v\u00fdrobce", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "Televize", "LabelModelName": "Model name", - "ViewTypeGames": "Hry", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Hudba", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Kolekce", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Kapitoly", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Titulky", + "TabChapters": "Kapitoly", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Jazyky", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (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", + "HeaderSettings": "Settings", + "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", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Zam\u00edtnout", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Filmy", + "ViewTypeTvShows": "Televize", + "ViewTypeGames": "Hry", + "ViewTypeMusic": "Hudba", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video kodek:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profil:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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": "Slo\u017eky m\u00e9di\u00ed", + "TitleRemoteControl": "Remote Control", + "OptionLatestTvRecordings": "Latest recordings", + "LabelProtocolInfo": "Protocol info:", + "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", "TabServices": "Slu\u017eby", - "LabelTranscodingAudioCodec": "Audio kodek:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Z\u00e1znamy", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Star\u00fd kl\u00ed\u010d sponzora", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "Nov\u00fd kl\u00ed\u010d sponzora", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Hlavn\u00ed str\u00e1nka", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "V\u0161ichni u\u017eivatel\u00e9", - "ButtonDismiss": "Zam\u00edtnout", - "OptionAdminUsers": "Administr\u00e1to\u0159i", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Vyhledat titulky", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "Seznam", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Z\u00e1znamy:", + "LabelMetadata": "Metadata", + "LabelImagesByName": "Obr\u00e1zky dle n\u00e1zvu:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Jazyky", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Povolit kulisy", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "U\u017eivatel", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Titulky", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Ano", - "OptionNo": "Ne", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Registrovat", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Pokra\u010dovat", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Slo\u017eky m\u00e9di\u00ed", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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": "Zav\u0159\u00edt", "LabelAllLanguages": "All languages", "HeaderBrowseOnlineImages": "Browse Online Images", "LabelSource": "Source:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Sc\u00e9ny", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Titulky", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Kolekce", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "Seznam", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Z\u00e1znamy:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Obr\u00e1zky dle n\u00e1zvu:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Nastaven\u00ed serveru", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Kan\u00e1ly", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "\u017div\u00e1 TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Zoskupit filmy do kolekc\u00ed.", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Potvrdit smaz\u00e1n\u00ed", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Hled\u00e1n\u00ed", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Podporovan\u00e9 vzory", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Vzor", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "V\u00fdsledek", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Odstranit pr\u00e1zdn\u00e9 slo\u017eky po zorganizov\u00e1n\u00ed", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Povolit tohle, aby byl adres\u00e1\u0159 pro stahov\u00e1n\u00ed \u010dist\u00fd.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Smazat zbyl\u00e9 soubory s n\u00e1sleduj\u00edc\u00edmi p\u0159\u00edponami:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Odd\u011blte ;. Nap\u0159.: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "P\u0159epsat existuj\u00edc\u00ed epizody", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Metoda p\u0159enosu", "LabelPlayers": "Players:", - "OptionCopy": "Kop\u00edrovat", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "P\u0159esunout", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Je vy\u017eadov\u00e1n restart serveru", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Posledn\u00ed novinky", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "B\u011b\u017e\u00edc\u00ed \u00falohy", - "HeaderConfirmDeletion": "Potvrdit smaz\u00e1n\u00ed", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Akt\u00edvn\u00ed za\u0159\u00edzen\u00ed", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "\u010cekaj\u00edc\u00ed instalace", - "HeaderTypeText": "Vlo\u017ete text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 fda445d8e7..5cd14b57ec 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/da.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/da.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Velkommen til Emby!", - "LabelImageSavingConvention": "Konvention for lagring af billeder:", - "LabelNumberOfGuideDaysHelp": "Hentning af flere dages programguide 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 hente. Auto vil v\u00e6lge baseret p\u00e5 antallet af kanaler.", - "HeaderNewCollection": "Ny samling", - "LabelImageSavingConventionHelp": "Emby genkender billeder fra de fleste store medieapplikationer. Valg af konvention for hentning af billeder er nyttefuld hvis du ogs\u00e5 benytter dig af andre produkter.", - "OptionImageSavingCompatible": "Kompatibel - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Koblet til Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Skab", - "ButtonSignIn": "Log Ind", - "LiveTvPluginRequired": "Der kr\u00e6ves et Live TV udbyder-plugin for at forts\u00e6tte", - "TitleSignIn": "Log Ind", - "LiveTvPluginRequiredHelp": "Installer venligst et af vores tilg\u00e6ngelige plugins, s\u00e5 som NextPVR eller ServerWMC.", - "LabelWebSocketPortNumber": "Web socket portnummer:", - "ProjectHasCommunity": "Emby har et blomstrende f\u00e6llesskab af brugere og bidragsydere.", - "HeaderPleaseSignIn": "Log venligst ind", - "LabelUser": "Bruger:", - "LabelExternalDDNS": "Ekstern WAN adresse:", - "TabOther": "Andet", - "LabelPassword": "Adgangskode:", - "OptionDownloadThumbImage": "Miniature", - "LabelExternalDDNSHelp": "Hvis du bruger en dynamisk DNS service, s\u00e5 skriv dit hostnavn her. Emby apps vil bruge det til at forbinde eksternt. Efterlad feltet tomt for at bruge automatisk opdagelse.", - "VisitProjectWebsite": "Bes\u00f8g Embys hjemmeside", - "ButtonManualLogin": "Manuel Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Forts\u00e6t", - "PasswordLocalhostMessage": "Adgangskoder er ikke p\u00e5kr\u00e6vet n\u00e5r der logges ind fra localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Vejr", - "OptionDownloadBoxImage": "Boks", - "TitleAppSettings": "App indstillinger", - "ButtonDeleteImage": "Slet billede", - "VisitProjectWebsiteLong": "Bes\u00f8g Emby hjemmesiden for at blive opdateret p\u00e5 de seneste nyheder og holde dig opdateret med udviklernes blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Min. forts\u00e6t procentdel:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Maks. forts\u00e6t procentdel:", - "HeaderUploadNewImage": "Upload nyt billede", - "OptionDownloadBackImage": "Bagside", - "LabelMinResumeDuration": "Min. forts\u00e6t tidsrum (sekunder):", - "OptionHideWatchedContentFromLatestMedia": "Skjul sete fra seneste", - "LabelDropImageHere": "Tr\u00e6k billede hertil og slip", - "OptionDownloadArtImage": "Kunst", - "LabelMinResumePercentageHelp": "Medier anses om ikke afspillet, hvis de stoppes inden denne tid.", - "ImageUploadAspectRatioHelp": "1:1 h\u00f8jde\/breddeforhold anbefalet. Kun JPG\/PNG.", - "OptionDownloadPrimaryImage": "Prim\u00e6r", - "LabelMaxResumePercentageHelp": "Medier anses som fuldt afspillet, hvis de stoppes efter denne tid.", - "MessageNothingHere": "Her er ingenting.", - "HeaderFetchImages": "Hent billeder:", - "LabelMinResumeDurationHelp": "Medier med kortere afspilningstid en denne kan ikke forts\u00e6ttes.", - "TabSuggestions": "Forslag", - "MessagePleaseEnsureInternetMetadata": "S\u00f8rg venligst for at hentning af metadata fra internettet er aktiveret.", - "HeaderImageSettings": "Billedindstillinger", - "TabSuggested": "Foresl\u00e5et", - "LabelMaxBackdropsPerItem": "Maksimum antal af bagt\u00e6pper per element:", - "TabLatest": "Seneste", - "LabelMaxScreenshotsPerItem": "Maksimum antal af sk\u00e6rmbilleder per element:", - "TabUpcoming": "Kommende", - "LabelMinBackdropDownloadWidth": "Minimum bagt\u00e6ppe bredde:", - "TabShows": "Serier", - "LabelMinScreenshotDownloadWidth": "Minimum sk\u00e6rmbillede bredde:", - "TabEpisodes": "Episoder", - "ButtonAddScheduledTaskTrigger": "Tilf\u00f8j udl\u00f8ser", - "TabGenres": "Genre", - "HeaderAddScheduledTaskTrigger": "Tilf\u00f8j udl\u00f8ser", - "TabPeople": "Personer", - "ButtonAdd": "Tilf\u00f8j", - "TabNetworks": "Netv\u00e6rk", - "LabelTriggerType": "Udl\u00f8sertype", - "OptionDaily": "Daglig", - "OptionWeekly": "Ugentlig", - "OptionOnInterval": "Interval", - "OptionOnAppStartup": "Ved opstart", - "ButtonHelp": "Hj\u00e6lp", - "OptionAfterSystemEvent": "Efter en systemh\u00e6ndelse", - "LabelDay": "Dag:", - "LabelTime": "Tid:", - "OptionRelease": "Officiel udgivelse", - "LabelEvent": "H\u00e6ndelse:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "V\u00e5gner fra dvale", - "ButtonInviteUser": "Inviter bruger", - "OptionDev": "Dev (Ustabil)", - "LabelEveryXMinutes": "Hver:", - "HeaderTvTuners": "Tunere", - "CategorySync": "Sync", - "HeaderGallery": "Galleri", - "HeaderLatestGames": "Nyeste spil", - "RegisterWithPayPal": "Registrer med PayPal", - "HeaderRecentlyPlayedGames": "Spillet for nylig", - "TabGameSystems": "Spilsystemer", - "TitleMediaLibrary": "Mediebibliotek", - "TabFolders": "Mapper", - "TabPathSubstitution": "Stisubstitution", - "LabelSeasonZeroDisplayName": "S\u00e6son 0 vist navn:", - "LabelEnableRealtimeMonitor": "Aktiver realtidsoverv\u00e5gning", - "LabelEnableRealtimeMonitorHelp": "\u00c6ndringer vil blive behandlet \u00f8jeblikkeligt p\u00e5 underst\u00f8ttede filsystemer.", - "ButtonScanLibrary": "Skan bibliotek", - "HeaderNumberOfPlayers": "Afspillere:", - "OptionAnyNumberOfPlayers": "Enhver", + "LabelExit": "Afslut", + "LabelVisitCommunity": "Bes\u00f8g F\u00e6lleskab", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api dokumentation", - "Option2Player": "2+", "LabelDeveloperResources": "Udviklerressourcer", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Mediemapper", - "HeaderThemeVideos": "Temavideoer", - "HeaderThemeSongs": "Temasange", - "HeaderScenes": "Scener", - "HeaderAwardsAndReviews": "Priser og anmelselser", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Musikvideoer", - "HeaderSpecialFeatures": "Specielle egenskaber", + "LabelBrowseLibrary": "Gennemse bibliotek", + "LabelConfigureServer": "Konfigurer Emby", + "LabelOpenLibraryViewer": "\u00c5ben Biblioteksfremviser", + "LabelRestartServer": "Genstart Server", + "LabelShowLogWindow": "Vis Log", + "LabelPrevious": "Forrige", + "LabelFinish": "Slut", + "FolderTypeMixed": "Mixed content", + "LabelNext": "N\u00e6ste", + "LabelYoureDone": "Du er f\u00e6rdig!", + "WelcomeToProject": "Velkommen til Emby!", + "ThisWizardWillGuideYou": "Denne guide vil hj\u00e6lpe dig igennem ops\u00e6tningen. For at begynde, v\u00e6lg venligst dit fortrukne sprog.", + "TellUsAboutYourself": "Fort\u00e6l os lidt om dig selv", + "ButtonQuickStartGuide": "Hurtig-start guide", + "LabelYourFirstName": "Dit fornavn", + "MoreUsersCanBeAddedLater": "Flere brugere kan tilf\u00f8jes senere i betjeningspanelet.", + "UserProfilesIntro": "Emby har indbygget underst\u00f8ttelse af brugerprofiler. Dette giver hver bruger sine egne indstillinger for visning, afspilningsstatus og for\u00e6ldrekontrol.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "Der er blevet installeret en Windows Service.", + "WindowsServiceIntro1": "Emby Server k\u00f8rer normalt som en desktop applikation med et statusbar ikon, men hvis du \u00f8nsker at k\u00f8rer det som en baggrundsservice kan programmet startes fra windows services kontrolpanel istedet.", + "WindowsServiceIntro2": "Hvis Windows servicen bruges skal du v\u00e6re opm\u00e6rksom p\u00e5, at servicen ikke kan k\u00f8re p\u00e5 samme tid som bakkeikonet. Det er derfor n\u00f8dvendigt at afslutte bakkeikonet f\u00f8r servicen startes. Det er n\u00f8dvendigt at konfigurere servicen til at k\u00f8re med administrative privileger, som kan g\u00f8res via Windows Service kontrolpanelet. V\u00e6r opm\u00e6rksom p\u00e5 at servicen p\u00e5 nuv\u00e6rende tidspunkt ikke er i stand til at autoopdatere, s\u00e5 opdatering vil kr\u00e6ve manuel handling.", + "WizardCompleted": "Det er alt vi beh\u00f8ver for nu. Emby er begyndt at indsamle information omkring dit mediebibliotek. Tjek nogle af vores apps og klik derefter p\u00e5 F\u00e6rdig<\/b> for at se Server betjeningspanelet<\/b>.", + "LabelConfigureSettings": "Konfigurer indstillinger", + "LabelEnableVideoImageExtraction": "Aktiver udtr\u00e6kning af video billede", + "VideoImageExtractionHelp": "For videoer der ikke allerede har billeder, og som vi ikke kan finde internet billeder til. Dette vil g\u00f8re den indledende biblioteksskanning l\u00e6ngere, men vil resulterer i en p\u00e6nere pr\u00e6sentation.", + "LabelEnableChapterImageExtractionForMovies": "Aktiver udtr\u00e6kning af kapitelbilleder for Film", + "LabelChapterImageExtractionForMoviesHelp": "Udtr\u00e6kning af kapitelbilleder lader klienter vise billeder i scenev\u00e6lgeren. Denne proces kan v\u00e6re langsom og processorbelastende, og kan kr\u00e6ve adskillige gigabytes harddiskplads. Processen k\u00f8rer som en natlig planlagt opgave, selv om dette kan \u00e6ndres i planl\u00e6ggeren. Det anbefales ikke at k\u00f8re denne proces i tidsrum hvor der er brugere p\u00e5 systemet.", + "LabelEnableAutomaticPortMapping": "Aktiver automatisk port kortl\u00e6gning", + "LabelEnableAutomaticPortMappingHelp": "UPnP tillader automatisk routerkonfiguration for nem fjernadgang. Dette virker muligvis ikke med alle routere.", + "HeaderTermsOfService": "Emby tjenestevilk\u00e5r", + "MessagePleaseAcceptTermsOfService": "Accepter venligst tjenestevilk\u00e5rene og privatlivspolitikken f\u00f8r du forts\u00e6tter.", + "OptionIAcceptTermsOfService": "Jeg accepterer tjenestevilk\u00e5rene", + "ButtonPrivacyPolicy": "Privatlivspolitik", + "ButtonTermsOfService": "Tjenestevilk\u00e5r", "HeaderDeveloperOptions": "Indstillinger for udviklere", - "HeaderCastCrew": "Medvirkende", - "LabelLocalHttpServerPortNumber": "Lokalt http portnummer:", - "HeaderAdditionalParts": "Andre stier:", "OptionEnableWebClientResponseCache": "Aktiver webklient svar-caching", - "LabelLocalHttpServerPortNumberHelp": "Det portnummer Embys http-server bruger.", - "ButtonSplitVersionsApart": "Opdel versioner", - "LabelSyncTempPath": "Sti for midlertidige filer:", "OptionDisableForDevelopmentHelp": "Konfigurer disse som n\u00f8dvendigt for udviklingsform\u00e5l af webklienten", - "LabelMissing": "Mangler", - "LabelSyncTempPathHelp": "Specificer en brugerdefineret synkroniserings arbejds-mappe. Konverterede filer vil under synkroniseringsprocessen blive gemt her.", - "LabelEnableAutomaticPortMap": "Aktiver automatisk port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Aktiver formindskelse af webklientens forbrug af ressourcer", - "LabelEnableAutomaticPortMapHelp": "Fors\u00f8g at mappe den offentlige port til den lokale port med uPnP. Dette virker ikke med alle routere.", - "PathSubstitutionHelp": "Stisubstitutioner bruges til at \u00e6ndre en sti p\u00e5 serveren til en sti klienterne kan tilg\u00e5. Ved at tillade klienterne direkte adgang til medier p\u00e5 serveren, kan de m\u00e5ske afpille dem direkte over netv\u00e6rket uden at skulle bruge serverens ressourcer til at streame og transkode dem.", - "LabelCustomCertificatePath": "Sti til eget certifikat:", - "HeaderFrom": "Fra", "LabelDashboardSourcePath": "Webklient kildesti:", - "HeaderTo": "Til", - "LabelCustomCertificatePathHelp": "Angiv dit eget ssl certifikat som .pfx fil. Hvis du undlader dette, danner serveren et selvsigneret certifikat.", - "LabelFrom": "Fra:", "LabelDashboardSourcePathHelp": "Hvis serveren k\u00f8rer fra kilden, specificer da stien til dashboard-ui mappen. Alle webklient-filer vil blive leveret fra denne lokation.", - "LabelFromHelp": "F. eks. D:\\Movies (p\u00e5 serveren)", - "ButtonAddToCollection": "Tilf\u00f8j til samling", - "LabelTo": "Til:", + "ButtonConvertMedia": "Konverter medie", + "ButtonOrganize": "Organiser", + "LinkedToEmbyConnect": "Koblet til Emby Connect", + "HeaderSupporterBenefits": "Supporter fordele", + "HeaderAddUser": "Tilf\u00f8j bruger", + "LabelAddConnectSupporterHelp": "For at tilf\u00f8je en bruger som ikke er angivet skal du f\u00f8rst sammenk\u00e6de deres konto til Emby Connect fra deres brugers profilside.", + "LabelPinCode": "Pinkode:", + "OptionHideWatchedContentFromLatestMedia": "Skjul sete fra seneste", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Annuller", + "ButtonExit": "Afslut", + "ButtonNew": "Ny", + "HeaderTV": "TV", + "HeaderAudio": "Lyd", + "HeaderVideo": "Video", "HeaderPaths": "Stier", - "LabelToHelp": "F. eks. \\\\MyServer\\Movies (en sti klienterne kan tilg\u00e5)", - "ButtonAddPathSubstitution": "Tilf\u00f8j substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Nem pinkode", + "HeaderGrownupsOnly": "Kun for voksne!", + "DividerOr": "-- eller --", + "HeaderInstalledServices": "Installerede tjenester", + "HeaderAvailableServices": "Tilg\u00e6ngelige tjenester", + "MessageNoServicesInstalled": "Ingen tjenester er installeret.", + "HeaderToAccessPleaseEnterEasyPinCode": "Indtast din pinkode for adgang", + "KidsModeAdultInstruction": "Klik p\u00e5 l\u00e5seikonet i nederste h\u00f8jre hj\u00f8rne for at konfigurere eller forlade b\u00f8rnetilstand. Du vil blive bedt om din pinkode.", + "ButtonConfigurePinCode": "Konfigurer pinkode", + "HeaderAdultsReadHere": "Voksne l\u00e6s her!", + "RegisterWithPayPal": "Registrer med PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync kr\u00e6ver medlemsskab", + "HeaderEnjoyDayTrial": "Nyd en 14-dages gratis pr\u00f8veperiode", + "LabelSyncTempPath": "Sti for midlertidige filer:", + "LabelSyncTempPathHelp": "Specificer en brugerdefineret synkroniserings arbejds-mappe. Konverterede filer vil under synkroniseringsprocessen blive gemt her.", + "LabelCustomCertificatePath": "Sti til eget certifikat:", + "LabelCustomCertificatePathHelp": "Angiv dit eget ssl certifikat som .pfx fil. Hvis du undlader dette, danner serveren et selvsigneret certifikat.", "TitleNotifications": "Underretninger", - "OptionSpecialEpisode": "S\u00e6rudsendelser", - "OptionMissingEpisode": "Manglende episoder", "ButtonDonateWithPayPal": "Doner via PayPal", + "OptionDetectArchiveFilesAsMedia": "Opfat arkiver som medier", + "OptionDetectArchiveFilesAsMediaHelp": "Aktiver dette for at f\u00e5 filer med .zip og .rar endelser genkendt dom medier.", + "LabelEnterConnectUserName": "Brugernavn eller email:", + "LabelEnterConnectUserNameHelp": "Dette er dit Emby online brugernavn eller kodeord.", + "LabelEnableEnhancedMovies": "Aktiver udvidede filmvisninger", + "LabelEnableEnhancedMoviesHelp": "Aktiver dette for at f\u00e5 vist film som mapper med trailere, medvirkende og andet relateret inhold.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "FIlm", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Voksenfilm", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Musikvideoer", + "FolderTypeHomeVideos": "Hjemmevideoer", + "FolderTypeGames": "Spil", + "FolderTypeBooks": "B\u00f8ger", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Nedarv", - "OptionUnairedEpisode": "Ikke sendte episoder", "LabelContentType": "Indholdstype:", - "OptionEpisodeSortName": "Navn for sortering af episoder", "TitleScheduledTasks": "Planlagte opgaver", - "OptionSeriesSortName": "Seriens navn", - "TabNotifications": "Underretninger", - "OptionTvdbRating": "Tvdb bed\u00f8mmelse", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Foretrukken kvalitet for transkodning:", - "OptionAutomaticTranscodingHelp": "Serveren vil bestemme kvalitet og hastighed", - "LabelPublicHttpPort": "Offentligt http portnummer:", - "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men hurtigere omkodning", - "OptionHighQualityTranscodingHelp": "H\u00f8jere kvalitet, men langsommere omkodning", - "OptionPosterCard": "Plakat", - "LabelPublicHttpPortHelp": "Det offentlige portnummer som bliver knyttet til det lokale http portnummer.", - "OptionMaxQualityTranscodingHelp": "Bedste kvalitet med langsommere omkodning og h\u00f8jere CPU forbrug", - "OptionThumbCard": "Miniature kort", - "OptionHighSpeedTranscoding": "H\u00f8jere hastighed", - "OptionAllowRemoteSharedDevices": "Tillad fjernstyring af delte enheder", - "LabelPublicHttpsPort": "Offentligt https portnummer:", - "OptionHighQualityTranscoding": "H\u00f8jere kvalitet", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheder er delte indtil en bruger begynder at bruge den.", - "OptionMaxQualityTranscoding": "H\u00f8jeste kvalitet", - "HeaderRemoteControl": "Fjernstyring", - "LabelPublicHttpsPortHelp": "Det offentlige portnummer som bliver knyttet til det lokale https portnummer.", - "OptionEnableDebugTranscodingLogging": "Aktiver debug logning af transkodning", + "HeaderSetupLibrary": "Konfigurer dit mediebibliotek", + "ButtonAddMediaFolder": "Tilf\u00f8j mediemappe", + "LabelFolderType": "Mappetype:", + "ReferToMediaLibraryWiki": "Der henvises til mediebibliotekets wiki.", + "LabelCountry": "Land:", + "LabelLanguage": "Sprog:", + "LabelTimeLimitHours": "Tidsgr\u00e6nse (timer):", + "ButtonJoinTheDevelopmentTeam": "Bliv medlem af Teamet bag Emby", + "HeaderPreferredMetadataLanguage": "Foretrukket sprog for metadata:", + "LabelSaveLocalMetadata": "Gem illustrationer og metadata i mediemapper", + "LabelSaveLocalMetadataHelp": "Lagring af illustrationer og metadata i mediemapper vil placerer dem et sted hvor de nemt kan redigeres.", + "LabelDownloadInternetMetadata": "Hent illustrationer og metadata fra internettet", + "LabelDownloadInternetMetadataHelp": "Emby Server kan hente informationer om dine medier, der kan give mere indholdsrige visninger.", + "TabPreferences": "Indstillinger", + "TabPassword": "Adgangskode", + "TabLibraryAccess": "Biblioteksadgang", + "TabAccess": "Adgang", + "TabImage": "Billede", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Billeder", + "TabNotifications": "Underretninger", + "TabCollectionTitles": "Titler", + "HeaderDeviceAccess": "Enhedsadgang", + "OptionEnableAccessFromAllDevices": "Tillad adgang fra alle enheder", + "OptionEnableAccessToAllChannels": "Tillad adgang til alle kanaler", + "OptionEnableAccessToAllLibraries": "Tillad adgang til alle biblioteker", + "DeviceAccessHelp": "Dette g\u00e6lder kun for enheder, der kan identificeres unikt, og vil ikke forhindre adgang fra en browser. Ved at filtrere brugeres adgang fra enheder, kan du forhindre dem i at bruge nye enheder f\u00f8r de er blevet godkendt her.", + "LabelDisplayMissingEpisodesWithinSeasons": "Vis manglende episoder i s\u00e6soner", + "LabelUnairedMissingEpisodesWithinSeasons": "Vis endnu ikke sendte episoder i s\u00e6soner", + "HeaderVideoPlaybackSettings": "Indstillinger for videoafspilning", + "HeaderPlaybackSettings": "Indstillinger for afspilning", + "LabelAudioLanguagePreference": "Foretrukket lydsprog:", + "LabelSubtitleLanguagePreference": "Foretrukket undertekstsprog:", "OptionDefaultSubtitles": "Standard", - "OptionEnableDebugTranscodingLoggingHelp": "Dette generer meget store logfiler, og er kun anbefalet at bruge til fejlfindingsform\u00e5l.", - "LabelEnableHttps": "Angiv https til den eksterne adresse", - "HeaderUsers": "Brugere", "OptionOnlyForcedSubtitles": "Kun tvungne undertekster", - "HeaderFilters": "Filtre:", "OptionAlwaysPlaySubtitles": "Altid", - "LabelEnableHttpsHelp": "Aktiver dette for at f\u00e5 serveren til at oplyse en https url som eksterne adresse til klienter.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Ingen undertekster", "OptionDefaultSubtitlesHelp": "Undertekster p\u00e5 det foretrukne sprog vil blive vist n\u00e5r lyden er p\u00e5 et fremmedsprog.", - "OptionFavorite": "Favoritter", "OptionOnlyForcedSubtitlesHelp": "Kun undertekster, der er markeret som tvungne, vil blive vist.", - "LabelHttpsPort": "Lokalt https portnummer", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Undertekster p\u00e5 det foretrukne sprog vil blive vist uanset lydsproget.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Undertekster vil ikke blive vist som standard.", - "LabelHttpsPortHelp": "Det portnummer Embys https-server bruger.", + "TabProfiles": "Profiler", + "TabSecurity": "Sikkerhed", + "ButtonAddUser": "Tilf\u00f8j bruger", + "ButtonAddLocalUser": "Tilf\u00f8j lokal bruger", + "ButtonInviteUser": "Inviter bruger", + "ButtonSave": "Gem", + "ButtonResetPassword": "Nulstil adgangskode", + "LabelNewPassword": "Ny kode:", + "LabelNewPasswordConfirm": "Gentag ny adgangskode:", + "HeaderCreatePassword": "Opret adgangskode", + "LabelCurrentPassword": "Nuv\u00e6rende kode:", + "LabelMaxParentalRating": "H\u00f8jst tilladte aldersgr\u00e6nse:", + "MaxParentalRatingHelp": "Indhold med en h\u00f8jere gr\u00e6nse, skjules for denne bruger.", + "LibraryAccessHelp": "V\u00e6lg hvilke mediemapper der skal deles med denne bruger. Administratorer vil kunne redigere alle mapper ved hj\u00e6lp af metadata administratoren.", + "ChannelAccessHelp": "V\u00e6lg hvilke kanaler der skal deles med denne bruger. Administratorer vil kunne redigere alle kanaler ved hj\u00e6lp af metadata administratoren.", + "ButtonDeleteImage": "Slet billede", + "LabelSelectUsers": "V\u00e6lg brugere:", + "ButtonUpload": "Upload", + "HeaderUploadNewImage": "Upload nyt billede", + "LabelDropImageHere": "Tr\u00e6k billede hertil og slip", + "ImageUploadAspectRatioHelp": "1:1 h\u00f8jde\/breddeforhold anbefalet. Kun JPG\/PNG.", + "MessageNothingHere": "Her er ingenting.", + "MessagePleaseEnsureInternetMetadata": "S\u00f8rg venligst for at hentning af metadata fra internettet er aktiveret.", + "TabSuggested": "Foresl\u00e5et", + "TabSuggestions": "Forslag", + "TabLatest": "Seneste", + "TabUpcoming": "Kommende", + "TabShows": "Serier", + "TabEpisodes": "Episoder", + "TabGenres": "Genre", + "TabPeople": "Personer", + "TabNetworks": "Netv\u00e6rk", + "HeaderUsers": "Brugere", + "HeaderFilters": "Filtre:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favoritter", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Skuespillere", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "G\u00e6stestjerner", - "HeaderCredits": "Anerkendelser", "OptionDirectors": "Instrukt\u00f8rer", - "TabCollections": "Samlinger", "OptionWriters": "Forfattere", - "TabFavorites": "Favoritter", "OptionProducers": "Producenter", - "TabMyLibrary": "Mit bibliotek", - "HeaderServices": "Tjenester", "HeaderResume": "Fors\u00e6t", - "LabelCustomizeOptionsPerMediaType": "Tilpas til medietype:", "HeaderNextUp": "N\u00e6ste", "NoNextUpItemsMessage": "Ingen fundet. Se dine serier!", "HeaderLatestEpisodes": "Sidste episoder", @@ -219,42 +200,32 @@ "TabMusicVideos": "Musikvideoer", "ButtonSort": "Sort\u00e9r", "HeaderSortBy": "Sort\u00e9r efter:", - "OptionEnableAccessToAllChannels": "Tillad adgang til alle kanaler", "HeaderSortOrder": "Sorteringsr\u00e6kkef\u00f8lge:", - "LabelAutomaticUpdates": "Aktiver automatiske opdateringer", "OptionPlayed": "Afspillet", - "LabelFanartApiKey": "Personlig api n\u00f8gle:", "OptionUnplayed": "Ikke afspillet", - "LabelFanartApiKeyHelp": "Foresp\u00f8rgsler til fanart uden en personlig api n\u00f8gle returnerer resultater godkendt for over 7 dage siden. Med en personlig api n\u00f8gle falder dette til 48 timer, og hvis du er fanart VIP medlem falder dette yderligere til omkring 10 minutter.", "OptionAscending": "Stigende", "OptionDescending": "Faldende", "OptionRuntime": "Varighed", + "OptionReleaseDate": "Udgivelsesdato", "OptionPlayCount": "Gange afspillet", "OptionDatePlayed": "Dato for afspilning", - "HeaderRepeatingOptions": "Indstillinger for gentagelse", "OptionDateAdded": "Dato for tilf\u00f8jelse", - "HeaderTV": "TV", "OptionAlbumArtist": "Album-artist", - "HeaderTermsOfService": "Emby tjenestevilk\u00e5r", - "LabelCustomCss": "Brugerdefineret css", - "OptionDetectArchiveFilesAsMedia": "Opfat arkiver som medier", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Accepter venligst tjenestevilk\u00e5rene og privatlivspolitikken f\u00f8r du forts\u00e6tter.", - "OptionDetectArchiveFilesAsMediaHelp": "Aktiver dette for at f\u00e5 filer med .zip og .rar endelser genkendt dom medier.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Jeg accepterer tjenestevilk\u00e5rene", - "LabelCustomCssHelp": "Anvend din egen css til webinterfacet.", "OptionTrackName": "Nummerets navn", - "ButtonPrivacyPolicy": "Privatlivspolitik", - "LabelSelectUsers": "V\u00e6lg brugere:", "OptionCommunityRating": "F\u00e6llesskabsvurdering", - "ButtonTermsOfService": "Tjenestevilk\u00e5r", "OptionNameSort": "Navn", + "OptionFolderSort": "Mapper", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Nyttigt for private kontoer eller skjulte administratorkontoer. Brugeren skal logge ind ved at skive sit brugernavn og adgangskode.", "OptionRevenue": "Indt\u00e6gt", "OptionPoster": "Plakat", + "OptionPosterCard": "Plakat", + "OptionBackdrop": "Baggrund", "OptionTimeline": "Tidslinje", + "OptionThumb": "Miniature", + "OptionThumbCard": "Miniature kort", + "OptionBanner": "Banner", "OptionCriticRating": "Kritikervurdering", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Kan genoptages", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Planlagte opgaver", "TabMyPlugins": "Mine tilf\u00f8jelser", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Denne guide vil hj\u00e6lpe dig igennem ops\u00e6tningen. For at begynde, v\u00e6lg venligst dit fortrukne sprog.", - "TellUsAboutYourself": "Fort\u00e6l os lidt om dig selv", + "TitlePlugins": "Tilf\u00f8jelser", "HeaderAutomaticUpdates": "Automatiske opdateringer", - "LabelYourFirstName": "Dit fornavn", - "LabelPinCode": "Pinkode:", - "MoreUsersCanBeAddedLater": "Flere brugere kan tilf\u00f8jes senere i betjeningspanelet.", "HeaderNowPlaying": "Afspilles nu", - "UserProfilesIntro": "Emby har indbygget underst\u00f8ttelse af brugerprofiler. Dette giver hver bruger sine egne indstillinger for visning, afspilningsstatus og for\u00e6ldrekontrol.", "HeaderLatestAlbums": "Seneste albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Seneste sange", - "ButtonExit": "Afslut", - "ButtonConvertMedia": "Konverter medie", - "AWindowsServiceHasBeenInstalled": "Der er blevet installeret en Windows Service.", "HeaderRecentlyPlayed": "Afspillet for nyligt", - "LabelTimeLimitHours": "Tidsgr\u00e6nse (timer):", - "WindowsServiceIntro1": "Emby Server k\u00f8rer normalt som en desktop applikation med et statusbar ikon, men hvis du \u00f8nsker at k\u00f8rer det som en baggrundsservice kan programmet startes fra windows services kontrolpanel istedet.", "HeaderFrequentlyPlayed": "Ofte afspillet", - "ButtonOrganize": "Organiser", - "WindowsServiceIntro2": "Hvis Windows servicen bruges skal du v\u00e6re opm\u00e6rksom p\u00e5, at servicen ikke kan k\u00f8re p\u00e5 samme tid som bakkeikonet. Det er derfor n\u00f8dvendigt at afslutte bakkeikonet f\u00f8r servicen startes. Det er n\u00f8dvendigt at konfigurere servicen til at k\u00f8re med administrative privileger, som kan g\u00f8res via Windows Service kontrolpanelet. V\u00e6r opm\u00e6rksom p\u00e5 at servicen p\u00e5 nuv\u00e6rende tidspunkt ikke er i stand til at autoopdatere, s\u00e5 opdatering vil kr\u00e6ve manuel handling.", "DevBuildWarning": "Udviklerversionen er bleeding edge. Nye versioner bliver ofte udgivet og bliver ikke testet inden. Applikationen kan risikere at lukke ned og funktioner kan nogle gange slet ikke virke.", - "HeaderGrownupsOnly": "Kun for voksne!", - "WizardCompleted": "Det er alt vi beh\u00f8ver for nu. Emby er begyndt at indsamle information omkring dit mediebibliotek. Tjek nogle af vores apps og klik derefter p\u00e5 F\u00e6rdig<\/b> for at se Server betjeningspanelet<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Bliv medlem af Teamet bag Emby", - "LabelConfigureSettings": "Konfigurer indstillinger", - "LabelEnableVideoImageExtraction": "Aktiver udtr\u00e6kning af video billede", - "DividerOr": "-- eller --", - "OptionEnableAccessToAllLibraries": "Tillad adgang til alle biblioteker", - "VideoImageExtractionHelp": "For videoer der ikke allerede har billeder, og som vi ikke kan finde internet billeder til. Dette vil g\u00f8re den indledende biblioteksskanning l\u00e6ngere, men vil resulterer i en p\u00e6nere pr\u00e6sentation.", - "LabelEnableChapterImageExtractionForMovies": "Aktiver udtr\u00e6kning af kapitelbilleder for Film", - "HeaderInstalledServices": "Installerede tjenester", - "LabelChapterImageExtractionForMoviesHelp": "Udtr\u00e6kning af kapitelbilleder lader klienter vise billeder i scenev\u00e6lgeren. Denne proces kan v\u00e6re langsom og processorbelastende, og kan kr\u00e6ve adskillige gigabytes harddiskplads. Processen k\u00f8rer som en natlig planlagt opgave, selv om dette kan \u00e6ndres i planl\u00e6ggeren. Det anbefales ikke at k\u00f8re denne proces i tidsrum hvor der er brugere p\u00e5 systemet.", - "TitlePlugins": "Tilf\u00f8jelser", - "HeaderToAccessPleaseEnterEasyPinCode": "Indtast din pinkode for adgang", - "LabelEnableAutomaticPortMapping": "Aktiver automatisk port kortl\u00e6gning", - "HeaderSupporterBenefits": "Supporter fordele", - "LabelEnableAutomaticPortMappingHelp": "UPnP tillader automatisk routerkonfiguration for nem fjernadgang. Dette virker muligvis ikke med alle routere.", - "HeaderAvailableServices": "Tilg\u00e6ngelige tjenester", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Klik p\u00e5 l\u00e5seikonet i nederste h\u00f8jre hj\u00f8rne for at konfigurere eller forlade b\u00f8rnetilstand. Du vil blive bedt om din pinkode.", - "ButtonCancel": "Annuller", - "HeaderAddUser": "Tilf\u00f8j bruger", - "HeaderSetupLibrary": "Konfigurer dit mediebibliotek", - "MessageNoServicesInstalled": "Ingen tjenester er installeret.", - "ButtonAddMediaFolder": "Tilf\u00f8j mediemappe", - "ButtonConfigurePinCode": "Konfigurer pinkode", - "LabelFolderType": "Mappetype:", - "LabelAddConnectSupporterHelp": "For at tilf\u00f8je en bruger som ikke er angivet skal du f\u00f8rst sammenk\u00e6de deres konto til Emby Connect fra deres brugers profilside.", - "ReferToMediaLibraryWiki": "Der henvises til mediebibliotekets wiki.", - "HeaderAdultsReadHere": "Voksne l\u00e6s her!", - "LabelCountry": "Land:", - "LabelLanguage": "Sprog:", - "HeaderPreferredMetadataLanguage": "Foretrukket sprog for metadata:", - "LabelEnableEnhancedMovies": "Aktiver udvidede filmvisninger", - "LabelSaveLocalMetadata": "Gem illustrationer og metadata i mediemapper", - "LabelSaveLocalMetadataHelp": "Lagring af illustrationer og metadata i mediemapper vil placerer dem et sted hvor de nemt kan redigeres.", - "LabelDownloadInternetMetadata": "Hent illustrationer og metadata fra internettet", - "LabelEnableEnhancedMoviesHelp": "Aktiver dette for at f\u00e5 vist film som mapper med trailere, medvirkende og andet relateret inhold.", - "HeaderDeviceAccess": "Enhedsadgang", - "LabelDownloadInternetMetadataHelp": "Emby Server kan hente informationer om dine medier, der kan give mere indholdsrige visninger.", - "OptionThumb": "Miniature", - "LabelExit": "Afslut", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Bes\u00f8g F\u00e6lleskab", "LabelVideoType": "Video type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Tillad adgang fra alle enheder", - "LabelBrowseLibrary": "Gennemse bibliotek", "LabelFeatures": "Egenskaber:", - "DeviceAccessHelp": "Dette g\u00e6lder kun for enheder, der kan identificeres unikt, og vil ikke forhindre adgang fra en browser. Ved at filtrere brugeres adgang fra enheder, kan du forhindre dem i at bruge nye enheder f\u00f8r de er blevet godkendt her.", - "ChannelAccessHelp": "V\u00e6lg hvilke kanaler der skal deles med denne bruger. Administratorer vil kunne redigere alle kanaler ved hj\u00e6lp af metadata administratoren.", + "LabelService": "Tjeneste:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Sidste resultat:", "OptionHasSubtitles": "Undertekster", - "LabelOpenLibraryViewer": "\u00c5ben Biblioteksfremviser", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Genstart Server", "OptionHasThemeSong": "Temasang", - "LabelShowLogWindow": "Vis Log", "OptionHasThemeVideo": "Temavideo", - "LabelPrevious": "Forrige", "TabMovies": "Film", - "LabelFinish": "Slut", "TabStudios": "Studier", - "FolderTypeMixed": "Blandet indhold", - "LabelNext": "N\u00e6ste", "TabTrailers": "Trailere", - "FolderTypeMovies": "FIlm", - "LabelYoureDone": "Du er f\u00e6rdig!", + "LabelArtists": "Artister:", + "LabelArtistsHelp": "Angiv flere ved at s\u00e6tte ; mellem dem.", "HeaderLatestMovies": "Seneste film", - "FolderTypeMusic": "Musik", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync kr\u00e6ver medlemsskab", "HeaderLatestTrailers": "Seneste trailere", - "FolderTypeAdultVideos": "Voksenfilm", "OptionHasSpecialFeatures": "Specielle egenskaber", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Indsend", - "HeaderEnjoyDayTrial": "Nyd en 14-dages gratis pr\u00f8veperiode", "OptionImdbRating": "IMDd bed\u00f8mmelse", - "FolderTypeMusicVideos": "Musikvideoer", - "LabelFailed": "Fejlet", "OptionParentalRating": "Aldersgr\u00e6nse", - "FolderTypeHomeVideos": "Hjemmevideoer", - "LabelSeries": "Serier", "OptionPremiereDate": "Pr\u00e6mieredato", - "FolderTypeGames": "Spil", - "ButtonRefresh": "Opdater", "TabBasic": "Simpel", - "FolderTypeBooks": "B\u00f8ger", - "HeaderPlaybackSettings": "Indstillinger for afspilning", "TabAdvanced": "Avanceret", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Fors\u00e6ttes", "OptionEnded": "F\u00e6rdig", - "HeaderSync": "Sync", - "TabPreferences": "Indstillinger", "HeaderAirDays": "Sendedage", - "OptionReleaseDate": "Udgivelsesdato", - "TabPassword": "Adgangskode", - "HeaderEasyPinCode": "Nem pinkode", "OptionSunday": "S\u00f8ndag", - "LabelArtists": "Artister:", - "TabLibraryAccess": "Biblioteksadgang", - "TitleAutoOrganize": "Organiser automatisk", "OptionMonday": "Mandag", - "LabelArtistsHelp": "Angiv flere ved at s\u00e6tte ; mellem dem.", - "TabImage": "Billede", - "TabActivityLog": "Aktivitetslog", "OptionTuesday": "Tirsdag", - "ButtonAdvancedRefresh": "Avanceret opdatering", - "TabProfile": "Profil", - "HeaderName": "Navn", "OptionWednesday": "Onsdag", - "LabelDisplayMissingEpisodesWithinSeasons": "Vis manglende episoder i s\u00e6soner", - "HeaderDate": "Dato", "OptionThursday": "Torsdag", - "LabelUnairedMissingEpisodesWithinSeasons": "Vis endnu ikke sendte episoder i s\u00e6soner", - "HeaderSource": "Kilde", "OptionFriday": "Fredag", - "ButtonAddLocalUser": "Tilf\u00f8j lokal bruger", - "HeaderVideoPlaybackSettings": "Indstillinger for videoafspilning", - "HeaderDestination": "Destination", "OptionSaturday": "L\u00f8rdag", - "LabelAudioLanguagePreference": "Foretrukket lydsprog:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Manglende Tmdb Id", - "LabelSubtitleLanguagePreference": "Foretrukket undertekstsprog:", - "HeaderClients": "Klienter", + "LabelManagement": "Management:", "OptionMissingImdbId": "Manglende IMDB Id", - "OptionIsHD": "HD", - "HeaderAudio": "Lyd", - "LabelCompleted": "F\u00e6rdig", "OptionMissingTvdbId": "Manglende TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Hurtig-start guide", - "TabProfiles": "Profiler", "OptionMissingOverview": "Manglende overblik", + "OptionFileMetadataYearMismatch": "Uoverensstemmelse i \u00e5rstal mellem fil og metadata", + "TabGeneral": "Generelt", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Om", + "TabSupporterKey": "Supporter n\u00f8gle", + "TabBecomeSupporter": "Bliv Supporter", + "ProjectHasCommunity": "Emby har et blomstrende f\u00e6llesskab af brugere og bidragsydere.", + "CheckoutKnowledgeBase": "Tjek vores vidensdatabase for at f\u00e5 det meste ud af Emby.", + "SearchKnowledgeBase": "S\u00f8g i vidensdatabasen", + "VisitTheCommunity": "Bes\u00f8g f\u00e6llesskabet", + "VisitProjectWebsite": "Bes\u00f8g Embys hjemmeside", + "VisitProjectWebsiteLong": "Bes\u00f8g Emby hjemmesiden for at blive opdateret p\u00e5 de seneste nyheder og holde dig opdateret med udviklernes blog.", + "OptionHideUser": "Vis ikke denne bruger p\u00e5 loginsiden", + "OptionHideUserFromLoginHelp": "Nyttigt for private kontoer eller skjulte administratorkontoer. Brugeren skal logge ind ved at skive sit brugernavn og adgangskode.", + "OptionDisableUser": "Deaktiver denne bruger", + "OptionDisableUserHelp": "Hvis deaktiveret vil serveren ikke tillade forbindelser fra denne bruger. Eksisterende forbindelser vil blive afbrudt \u00f8jeblikkeligt.", + "HeaderAdvancedControl": "Avanceret kontrol", + "LabelName": "Navn:", + "ButtonHelp": "Hj\u00e6lp", + "OptionAllowUserToManageServer": "Tillad denne bruger at administrere serveren", + "HeaderFeatureAccess": "Adgang til funktioner", + "OptionAllowMediaPlayback": "Tillad afspilning ad medier", + "OptionAllowBrowsingLiveTv": "Tillad adgang til live TV", + "OptionAllowDeleteLibraryContent": "Tillad sletning af medier", + "OptionAllowManageLiveTv": "Tillad administration af live TV optagelser", + "OptionAllowRemoteControlOthers": "Tillad fjernstyring af andre brugere", + "OptionAllowRemoteSharedDevices": "Tillad fjernstyring af delte enheder", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheder er delte indtil en bruger begynder at bruge den.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Fjernstyring", + "OptionMissingTmdbId": "Manglende Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Sikkerhed", - "HeaderVideo": "Video", - "LabelSkipped": "Oversprunget", - "OptionFileMetadataYearMismatch": "Uoverensstemmelse i \u00e5rstal mellem fil og metadata", "ButtonSelect": "V\u00e6lg", - "ButtonAddUser": "Tilf\u00f8j bruger", - "HeaderEpisodeOrganization": "Organisation af episoder", - "TabGeneral": "Generelt", "ButtonGroupVersions": "Grupp\u00e9r versioner", - "TabGuide": "Guide", - "ButtonSave": "Gem", - "TitleSupport": "Support", + "ButtonAddToCollection": "Tilf\u00f8j til samling", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Kanaler", - "ButtonResetPassword": "Nulstil adgangskode", - "LabelSeasonNumber": "S\u00e6sonnummer", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Anerkendelser", "PleaseSupportOtherProduces": "St\u00f8t venligst andre gratis produkter vi bruger:", - "HeaderChannels": "Kanaler", - "LabelNewPassword": "Ny kode:", - "LabelEpisodeNumber": "Episodenummer", - "TabAbout": "Om", "VersionNumber": "Version {0}", - "TabRecordings": "Optagelser", - "LabelNewPasswordConfirm": "Gentag ny adgangskode:", - "LabelEndingEpisodeNumber": "Nummer p\u00e5 sidste episode", - "TabSupporterKey": "Supporter n\u00f8gle", "TabPaths": "Stier", - "TabScheduled": "Planlagt", - "HeaderCreatePassword": "Opret adgangskode", - "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for filer med flere episoder.", - "TabBecomeSupporter": "Bliv Supporter", "TabServer": "Server", - "TabSeries": "Serier", - "LabelCurrentPassword": "Nuv\u00e6rende kode:", - "HeaderSupportTheTeam": "St\u00f8t Emby-holdet", "TabTranscoding": "Transkodning", - "ButtonCancelRecording": "Annuller optagelse", - "LabelMaxParentalRating": "H\u00f8jst tilladte aldersgr\u00e6nse:", - "LabelSupportAmount": "Bel\u00f8b (USD)", - "CheckoutKnowledgeBase": "Tjek vores vidensdatabase for at f\u00e5 det meste ud af Emby.", "TitleAdvanced": "Avanceret", - "HeaderPrePostPadding": "F\u00f8r\/efter tidstilf\u00f8jelse", - "MaxParentalRatingHelp": "Indhold med en h\u00f8jere gr\u00e6nse, skjules for denne bruger.", - "HeaderSupportTheTeamHelp": "Hj\u00e6lp med den fortsatte udvikling af dette projekt ved at donere. Den del af alle donationer vil g\u00e5 til andre gratis v\u00e6rkt\u00f8jer vi er afh\u00e6ngige af.", - "SearchKnowledgeBase": "S\u00f8g i vidensdatabasen", "LabelAutomaticUpdateLevel": "Automatisk opdateringsniveau", - "LabelPrePaddingMinutes": "Start minutter f\u00f8r:", - "LibraryAccessHelp": "V\u00e6lg hvilke mediemapper der skal deles med denne bruger. Administratorer vil kunne redigere alle mapper ved hj\u00e6lp af metadata administratoren.", - "ButtonEnterSupporterKey": "Indtast supporter n\u00f8gle", - "VisitTheCommunity": "Bes\u00f8g f\u00e6llesskabet", + "OptionRelease": "Officiel udgivelse", + "OptionBeta": "Beta", + "OptionDev": "Dev (Ustabil)", "LabelAllowServerAutoRestart": "Tillad serveren at genstarte automatisk for at p\u00e5f\u00f8re opdateringer", - "OptionPrePaddingRequired": "Tidstilf\u00f8jelse f\u00f8r er kr\u00e6vet for at optage.", - "OptionNoSubtitles": "Ingen undertekster", - "DonationNextStep": "Vend tilbage og indtast din supporter n\u00f8gle, n\u00e5r du har modtaget den p\u00e5 e-mail.", "LabelAllowServerAutoRestartHelp": "Serveren vil kun genstarte i inaktive perioder, n\u00e5r ingen brugere er aktive", - "LabelPostPaddingMinutes": "Stop optagelse minutter efter:", - "AutoOrganizeHelp": "Organiser automatisk overv\u00e5ger de mapper, du henter til, og flytter filerne til dine mediemapper.", "LabelEnableDebugLogging": "Aktiver fejlfindingslogning", - "OptionPostPaddingRequired": "Tidstilf\u00f8jelse efter er kr\u00e6vet for at optage.", - "AutoOrganizeTvHelp": "TV-fil organisering vil kun tilf\u00f8je episoder til eksisterende serier. Der oprettes ikke mapper til nye serier.", - "OptionHideUser": "Vis ikke denne bruger p\u00e5 loginsiden", "LabelRunServerAtStartup": "Start serveren ved opstart", - "HeaderWhatsOnTV": "Vises nu", - "ButtonNew": "Ny", - "OptionEnableEpisodeOrganization": "Aktiver organisering af nye episoder.", - "OptionDisableUser": "Deaktiver denne bruger", "LabelRunServerAtStartupHelp": "Dette vil starte bakkeikonet ved opstart af Windows. For at starte Windows tjenesten skal du fjerne markeringen og k\u00f8re tjenesten fra Windows kontrolpanelet. Bem\u00e6rk: Du ikke kan k\u00f8re begge dele p\u00e5 samme tid, s\u00e5 du bliver n\u00f8dt til at afslutte bakkeikonet f\u00f8r du starter tjenesten.", - "HeaderUpcomingTV": "Kommende TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Overv\u00e5get mappe:", - "OptionDisableUserHelp": "Hvis deaktiveret vil serveren ikke tillade forbindelser fra denne bruger. Eksisterende forbindelser vil blive afbrudt \u00f8jeblikkeligt.", "ButtonSelectDirectory": "V\u00e6lg mappe", - "TabStatus": "Status", - "TabImages": "Billeder", - "LabelWatchFolderHelp": "Serveren vil unders\u00f8ge denne mappe n\u00e5r den planlagte opgave 'Organiser nye mediefiler' k\u00f8rer.", - "HeaderAdvancedControl": "Avanceret kontrol", "LabelCustomPaths": "Angiv brugerdefinerede stier, hvor det \u00f8nskes. Lad felter st\u00e5 tomme for at bruge standardindstillingerne.", - "TabSettings": "Indstillinger", - "TabCollectionTitles": "Titler", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "Vis planlagte opgaver.", - "LabelName": "Navn:", "LabelCachePath": "Cachesti:", - "ButtonRefreshGuideData": "Opdater Guide data", - "LabelMinFileSizeForOrganize": "Mindste filst\u00f8rrelse (MB):", - "OptionAllowUserToManageServer": "Tillad denne bruger at administrere serveren", "LabelCachePathHelp": "Definer en alternativ mappe til serverens cachefiler, s\u00e5som billeder.", - "OptionPriority": "Prioritet", - "ButtonRemove": "Fjern", - "LabelMinFileSizeForOrganizeHelp": "Filer under denne st\u00f8rrelse vil blive ignoreret.", - "HeaderFeatureAccess": "Adgang til funktioner", "LabelImagesByNamePath": "Billeder efter navn-sti:", - "OptionRecordOnAllChannels": "Optag fra alle kanaler", - "EditCollectionItemsHelp": "Tilf\u00f8j eller fjern hvilken som helst film, serie, albums, bog eller spil, du har lyst til at tilf\u00f8je til denne samling.", - "TabAccess": "Adgang", - "LabelSeasonFolderPattern": "S\u00e6sonmappe m\u00f8nster:", - "OptionAllowMediaPlayback": "Tillad afspilning ad medier", "LabelImagesByNamePathHelp": "Definer en alternativ mappe til nedhentede billeder af skuespillere, genrer og studier.", - "OptionRecordAnytime": "Optag p\u00e5 ethverts tidspunkt", - "HeaderAddTitles": "Tilf\u00f8j titler", - "OptionAllowBrowsingLiveTv": "Tillad adgang til live TV", "LabelMetadataPath": "Metadatasti:", + "LabelMetadataPathHelp": "Definer en alternativ sti til nedhentede billeder og metadata, hvis de ikke gemmes i mediemapperne.", + "LabelTranscodingTempPath": "Midlertidig sti til transkodning:", + "LabelTranscodingTempPathHelp": "Denne mappe indeholder transkoderens arbejdsfiler. Definer en alternativ sti eller lad den st\u00e5 tom for at bruge standardmappen i serverens datamappe.", + "TabBasics": "Basale", + "TabTV": "TV", + "TabGames": "Spil", + "TabMusic": "Musik", + "TabOthers": "Andre", + "HeaderExtractChapterImagesFor": "Udtr\u00e6k kapitelbilleder for:", + "OptionMovies": "Film", + "OptionEpisodes": "Episoder", + "OptionOtherVideos": "Andre videoer", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Aktiver automatiske opdateringer", + "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 overskrevet.", + "LabelAutomaticUpdatesTmdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheMovieDB.org. Eksisterende billeder vil ikke bliver overskrevet.", + "LabelAutomaticUpdatesTvdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheTVDB.com. Eksisterende billeder vil ikke bliver overskrevet.", + "LabelFanartApiKey": "Personlig api n\u00f8gle:", + "LabelFanartApiKeyHelp": "Foresp\u00f8rgsler til fanart uden en personlig api n\u00f8gle returnerer resultater godkendt for over 7 dage siden. Med en personlig api n\u00f8gle falder dette til 48 timer, og hvis du er fanart VIP medlem falder dette yderligere til omkring 10 minutter.", + "ExtractChapterImagesHelp": "Udtr\u00e6kning af kapitelbilleder lader klienter vise billeder i scenev\u00e6lgeren. Denne proces kan v\u00e6re langsom og processorbelastende, og kan kr\u00e6ve adskillige gigabytes harddiskplads. Processen k\u00f8rer som en natlig planlagt opgave, selv om dette kan \u00e6ndres i planl\u00e6ggeren. Det anbefales ikke at k\u00f8re denne proces i tidsrum hvor der er brugere p\u00e5 systemet.", + "LabelMetadataDownloadLanguage": "Foretrukket sprog for nedhentning:", + "ButtonAutoScroll": "Rul automatisk", + "LabelImageSavingConvention": "Konvention for lagring af billeder:", + "LabelImageSavingConventionHelp": "Emby genkender billeder fra de fleste store medieapplikationer. Valg af konvention for hentning af billeder er nyttefuld hvis du ogs\u00e5 benytter dig af andre produkter.", + "OptionImageSavingCompatible": "Kompatibel - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "Log Ind", + "TitleSignIn": "Log Ind", + "HeaderPleaseSignIn": "Log venligst ind", + "LabelUser": "Bruger:", + "LabelPassword": "Adgangskode:", + "ButtonManualLogin": "Manuel Login", + "PasswordLocalhostMessage": "Adgangskoder er ikke p\u00e5kr\u00e6vet n\u00e5r der logges ind fra localhost.", + "TabGuide": "Guide", + "TabChannels": "Kanaler", + "TabCollections": "Samlinger", + "HeaderChannels": "Kanaler", + "TabRecordings": "Optagelser", + "TabScheduled": "Planlagt", + "TabSeries": "Serier", + "TabFavorites": "Favoritter", + "TabMyLibrary": "Mit bibliotek", + "ButtonCancelRecording": "Annuller optagelse", + "HeaderPrePostPadding": "F\u00f8r\/efter tidstilf\u00f8jelse", + "LabelPrePaddingMinutes": "Start minutter f\u00f8r:", + "OptionPrePaddingRequired": "Tidstilf\u00f8jelse f\u00f8r er kr\u00e6vet for at optage.", + "LabelPostPaddingMinutes": "Stop optagelse minutter efter:", + "OptionPostPaddingRequired": "Tidstilf\u00f8jelse efter er kr\u00e6vet for at optage.", + "HeaderWhatsOnTV": "Vises nu", + "HeaderUpcomingTV": "Kommende TV", + "TabStatus": "Status", + "TabSettings": "Indstillinger", + "ButtonRefreshGuideData": "Opdater Guide data", + "ButtonRefresh": "Opdater", + "ButtonAdvancedRefresh": "Avanceret opdatering", + "OptionPriority": "Prioritet", + "OptionRecordOnAllChannels": "Optag fra alle kanaler", + "OptionRecordAnytime": "Optag p\u00e5 ethverts tidspunkt", "OptionRecordOnlyNewEpisodes": "Optag kun nye episoder", + "HeaderRepeatingOptions": "Indstillinger for gentagelse", + "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": "Live TV", + "LabelNumberOfGuideDays": "Antal dage af programguide data der skal hentes:", + "LabelNumberOfGuideDaysHelp": "Hentning af flere dages programguide 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 hente. Auto vil v\u00e6lge baseret p\u00e5 antallet af kanaler.", + "OptionAutomatic": "Auto", + "HeaderServices": "Tjenester", + "LiveTvPluginRequired": "Der kr\u00e6ves et Live TV udbyder-plugin for at forts\u00e6tte", + "LiveTvPluginRequiredHelp": "Installer venligst et af vores tilg\u00e6ngelige plugins, s\u00e5 som NextPVR eller ServerWMC.", + "LabelCustomizeOptionsPerMediaType": "Tilpas til medietype:", + "OptionDownloadThumbImage": "Miniature", + "OptionDownloadMenuImage": "Menu", + "OptionDownloadLogoImage": "Logo", + "OptionDownloadBoxImage": "Boks", + "OptionDownloadDiscImage": "Disk", + "OptionDownloadBannerImage": "Banner", + "OptionDownloadBackImage": "Bagside", + "OptionDownloadArtImage": "Kunst", + "OptionDownloadPrimaryImage": "Prim\u00e6r", + "HeaderFetchImages": "Hent billeder:", + "HeaderImageSettings": "Billedindstillinger", + "TabOther": "Andet", + "LabelMaxBackdropsPerItem": "Maksimum antal af bagt\u00e6pper per element:", + "LabelMaxScreenshotsPerItem": "Maksimum antal af sk\u00e6rmbilleder per element:", + "LabelMinBackdropDownloadWidth": "Minimum bagt\u00e6ppe bredde:", + "LabelMinScreenshotDownloadWidth": "Minimum sk\u00e6rmbillede bredde:", + "ButtonAddScheduledTaskTrigger": "Tilf\u00f8j udl\u00f8ser", + "HeaderAddScheduledTaskTrigger": "Tilf\u00f8j udl\u00f8ser", + "ButtonAdd": "Tilf\u00f8j", + "LabelTriggerType": "Udl\u00f8sertype", + "OptionDaily": "Daglig", + "OptionWeekly": "Ugentlig", + "OptionOnInterval": "Interval", + "OptionOnAppStartup": "Ved opstart", + "OptionAfterSystemEvent": "Efter en systemh\u00e6ndelse", + "LabelDay": "Dag:", + "LabelTime": "Tid:", + "LabelEvent": "H\u00e6ndelse:", + "OptionWakeFromSleep": "V\u00e5gner fra dvale", + "LabelEveryXMinutes": "Hver:", + "HeaderTvTuners": "Tunere", + "HeaderGallery": "Galleri", + "HeaderLatestGames": "Nyeste spil", + "HeaderRecentlyPlayedGames": "Spillet for nylig", + "TabGameSystems": "Spilsystemer", + "TitleMediaLibrary": "Mediebibliotek", + "TabFolders": "Mapper", + "TabPathSubstitution": "Stisubstitution", + "LabelSeasonZeroDisplayName": "S\u00e6son 0 vist navn:", + "LabelEnableRealtimeMonitor": "Aktiver realtidsoverv\u00e5gning", + "LabelEnableRealtimeMonitorHelp": "\u00c6ndringer vil blive behandlet \u00f8jeblikkeligt p\u00e5 underst\u00f8ttede filsystemer.", + "ButtonScanLibrary": "Skan bibliotek", + "HeaderNumberOfPlayers": "Afspillere:", + "OptionAnyNumberOfPlayers": "Enhver", + "Option1Player": "1+", + "Option2Player": "2+", + "Option3Player": "3+", + "Option4Player": "4+", + "HeaderMediaFolders": "Mediemapper", + "HeaderThemeVideos": "Temavideoer", + "HeaderThemeSongs": "Temasange", + "HeaderScenes": "Scener", + "HeaderAwardsAndReviews": "Priser og anmelselser", + "HeaderSoundtracks": "Soundtracks", + "HeaderMusicVideos": "Musikvideoer", + "HeaderSpecialFeatures": "Specielle egenskaber", + "HeaderCastCrew": "Medvirkende", + "HeaderAdditionalParts": "Andre stier:", + "ButtonSplitVersionsApart": "Opdel versioner", + "ButtonPlayTrailer": "Trailer", + "LabelMissing": "Mangler", + "LabelOffline": "Offline", + "PathSubstitutionHelp": "Stisubstitutioner bruges til at \u00e6ndre en sti p\u00e5 serveren til en sti klienterne kan tilg\u00e5. Ved at tillade klienterne direkte adgang til medier p\u00e5 serveren, kan de m\u00e5ske afpille dem direkte over netv\u00e6rket uden at skulle bruge serverens ressourcer til at streame og transkode dem.", + "HeaderFrom": "Fra", + "HeaderTo": "Til", + "LabelFrom": "Fra:", + "LabelFromHelp": "F. eks. D:\\Movies (p\u00e5 serveren)", + "LabelTo": "Til:", + "LabelToHelp": "F. eks. \\\\MyServer\\Movies (en sti klienterne kan tilg\u00e5)", + "ButtonAddPathSubstitution": "Tilf\u00f8j substitution", + "OptionSpecialEpisode": "S\u00e6rudsendelser", + "OptionMissingEpisode": "Manglende episoder", + "OptionUnairedEpisode": "Ikke sendte episoder", + "OptionEpisodeSortName": "Navn for sortering af episoder", + "OptionSeriesSortName": "Seriens navn", + "OptionTvdbRating": "Tvdb bed\u00f8mmelse", + "HeaderTranscodingQualityPreference": "Foretrukken kvalitet for transkodning:", + "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 kvalitet", + "OptionMaxQualityTranscoding": "H\u00f8jeste kvalitet", + "OptionEnableDebugTranscodingLogging": "Aktiver debug logning af transkodning", + "OptionEnableDebugTranscodingLoggingHelp": "Dette generer meget store logfiler, og er kun anbefalet at bruge til fejlfindingsform\u00e5l.", + "EditCollectionItemsHelp": "Tilf\u00f8j eller fjern hvilken som helst film, serie, albums, bog eller spil, du har lyst til at tilf\u00f8je til denne samling.", + "HeaderAddTitles": "Tilf\u00f8j titler", "LabelEnableDlnaPlayTo": "Aktiver DLNA \"Afspil Til\"", - "OptionAllowDeleteLibraryContent": "Tillad sletning af medier", - "LabelMetadataPathHelp": "Definer en alternativ sti til nedhentede billeder og metadata, hvis de ikke gemmes i mediemapperne.", - "HeaderDays": "Dage", "LabelEnableDlnaPlayToHelp": "Emby kan finde enheder i dit netv\u00e6rk og tilbyde at kontrollere dem.", - "OptionAllowManageLiveTv": "Tillad administration af live TV optagelser", - "LabelTranscodingTempPath": "Midlertidig sti til transkodning:", - "HeaderActiveRecordings": "Aktive optagelser", "LabelEnableDlnaDebugLogging": "Aktiver debu logning af DLNA", - "OptionAllowRemoteControlOthers": "Tillad fjernstyring af andre brugere", - "LabelTranscodingTempPathHelp": "Denne mappe indeholder transkoderens arbejdsfiler. Definer en alternativ sti eller lad den st\u00e5 tom for at bruge standardmappen i serverens datamappe.", - "HeaderLatestRecordings": "Seneste optagelse", "LabelEnableDlnaDebugLoggingHelp": "Dette generer meget store logfiler, og er kun anbefalet at bruge til fejlfindingsform\u00e5l.", - "TabBasics": "Basale", - "HeaderAllRecordings": "Alle optagelser", "LabelEnableDlnaClientDiscoveryInterval": "Interval for klients\u00f8gning (sekunder)", - "LabelEnterConnectUserName": "Brugernavn eller email:", - "TabTV": "TV", - "LabelService": "Tjeneste:", - "ButtonPlay": "Afspil", "LabelEnableDlnaClientDiscoveryIntervalHelp": "angiver intervallet i sekunder mellem Embys SSDP s\u00f8gninger.", - "LabelEnterConnectUserNameHelp": "Dette er dit Emby online brugernavn eller kodeord.", - "TabGames": "Spil", - "LabelStatus": "Status:", - "ButtonEdit": "Rediger", "HeaderCustomDlnaProfiles": "Brugerdefinerede profiler", - "TabMusic": "Musik", - "LabelVersion": "Version:", - "ButtonRecord": "Optag", "HeaderSystemDlnaProfiles": "Systemprofiler", - "TabOthers": "Andre", - "LabelLastResult": "Sidste resultat:", - "ButtonDelete": "Slet", "CustomDlnaProfilesHelp": "Lav brugerdefinerede profiler til nye enheder eller for at overstyre en systemprofil.", - "HeaderExtractChapterImagesFor": "Udtr\u00e6k kapitelbilleder for:", - "OptionRecordSeries": "Optag serie", "SystemDlnaProfilesHelp": "Systemprofiler kan ikke overskrives. \u00c6ndringer i en systemprofil vil blive gemt i en ny brugerdefineret profil.", - "OptionMovies": "Film", - "HeaderDetails": "Detaljer", "TitleDashboard": "Betjeningspanel", - "OptionEpisodes": "Episoder", "TabHome": "Hjem", - "OptionOtherVideos": "Andre videoer", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "Systemstier", - "LabelAutomaticUpdatesTmdb": "Aktiver automatiske opdateringer fra TheMovieDB.org", "LinkCommunity": "F\u00e6llesskab", - "LabelAutomaticUpdatesTvdb": "Aktiver automatiske opdateringer fra TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til fanart.tv. Eksisterende billeder vil ikke bliver overskrevet.", + "LinkApi": "Api", "LinkApiDocumentation": "Api dokumentation", - "LabelAutomaticUpdatesTmdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheMovieDB.org. Eksisterende billeder vil ikke bliver overskrevet.", "LabelFriendlyServerName": "Nemt servernavn", - "LabelAutomaticUpdatesTvdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheTVDB.com. Eksisterende billeder vil ikke bliver overskrevet.", - "OptionFolderSort": "Mapper", "LabelFriendlyServerNameHelp": "Dette navn bruges til at identificere serveren. Hvis det ikke udfyldes, bruges computerens navn.", - "LabelConfigureServer": "Konfigurer Emby", - "ExtractChapterImagesHelp": "Udtr\u00e6kning af kapitelbilleder lader klienter vise billeder i scenev\u00e6lgeren. Denne proces kan v\u00e6re langsom og processorbelastende, og kan kr\u00e6ve adskillige gigabytes harddiskplads. Processen k\u00f8rer som en natlig planlagt opgave, selv om dette kan \u00e6ndres i planl\u00e6ggeren. Det anbefales ikke at k\u00f8re denne proces i tidsrum hvor der er brugere p\u00e5 systemet.", - "OptionBackdrop": "Baggrund", "LabelPreferredDisplayLanguage": "Foretrukket sprog til visning:", - "LabelMetadataDownloadLanguage": "Foretrukket sprog for nedhentning:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Overs\u00e6ttelse af Emby er en igangv\u00e6rende proces og er endnu ikke komplet.", - "ButtonAutoScroll": "Rul automatisk", - "LabelNumberOfGuideDays": "Antal dage af programguide data der skal hentes:", "LabelReadHowYouCanContribute": "L\u00e6s om hvordan du kan bidrage.", + "HeaderNewCollection": "Ny samling", + "ButtonSubmit": "Indsend", + "ButtonCreate": "Skab", + "LabelCustomCss": "Brugerdefineret css", + "LabelCustomCssHelp": "Anvend din egen css til webinterfacet.", + "LabelLocalHttpServerPortNumber": "Lokalt http portnummer:", + "LabelLocalHttpServerPortNumberHelp": "Det portnummer Embys http-server bruger.", + "LabelPublicHttpPort": "Offentligt http portnummer:", + "LabelPublicHttpPortHelp": "Det offentlige portnummer som bliver knyttet til det lokale http portnummer.", + "LabelPublicHttpsPort": "Offentligt https portnummer:", + "LabelPublicHttpsPortHelp": "Det offentlige portnummer som bliver knyttet til det lokale https portnummer.", + "LabelEnableHttps": "Angiv https til den eksterne adresse", + "LabelEnableHttpsHelp": "Aktiver dette for at f\u00e5 serveren til at oplyse en https url som eksterne adresse til klienter.", + "LabelHttpsPort": "Lokalt https portnummer", + "LabelHttpsPortHelp": "Det portnummer Embys https-server bruger.", + "LabelWebSocketPortNumber": "Web socket portnummer:", + "LabelEnableAutomaticPortMap": "Aktiver automatisk port mapping", + "LabelEnableAutomaticPortMapHelp": "Fors\u00f8g at mappe den offentlige port til den lokale port med uPnP. Dette virker ikke med alle routere.", + "LabelExternalDDNS": "Ekstern WAN adresse:", + "LabelExternalDDNSHelp": "Hvis du bruger en dynamisk DNS service, s\u00e5 skriv dit hostnavn her. Emby apps vil bruge det til at forbinde eksternt. Efterlad feltet tomt for at bruge automatisk opdagelse.", + "TabResume": "Forts\u00e6t", + "TabWeather": "Vejr", + "TitleAppSettings": "App indstillinger", + "LabelMinResumePercentage": "Min. forts\u00e6t procentdel:", + "LabelMaxResumePercentage": "Maks. forts\u00e6t procentdel:", + "LabelMinResumeDuration": "Min. forts\u00e6t tidsrum (sekunder):", + "LabelMinResumePercentageHelp": "Medier anses om ikke afspillet, hvis de stoppes inden denne tid.", + "LabelMaxResumePercentageHelp": "Medier anses som fuldt afspillet, hvis de stoppes efter denne tid.", + "LabelMinResumeDurationHelp": "Medier med kortere afspilningstid en denne kan ikke forts\u00e6ttes.", + "TitleAutoOrganize": "Organiser automatisk", + "TabActivityLog": "Aktivitetslog", + "HeaderName": "Navn", + "HeaderDate": "Dato", + "HeaderSource": "Kilde", + "HeaderDestination": "Destination", + "HeaderProgram": "Program", + "HeaderClients": "Klienter", + "LabelCompleted": "F\u00e6rdig", + "LabelFailed": "Fejlet", + "LabelSkipped": "Oversprunget", + "HeaderEpisodeOrganization": "Organisation af episoder", + "LabelSeries": "Serier", + "LabelEndingEpisodeNumber": "Nummer p\u00e5 sidste episode", + "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for filer med flere episoder.", + "HeaderSupportTheTeam": "St\u00f8t Emby-holdet", + "LabelSupportAmount": "Bel\u00f8b (USD)", + "HeaderSupportTheTeamHelp": "Hj\u00e6lp med den fortsatte udvikling af dette projekt ved at donere. Den del af alle donationer vil g\u00e5 til andre gratis v\u00e6rkt\u00f8jer vi er afh\u00e6ngige af.", + "ButtonEnterSupporterKey": "Indtast supporter n\u00f8gle", + "DonationNextStep": "Vend tilbage og indtast din supporter n\u00f8gle, n\u00e5r du har modtaget den p\u00e5 e-mail.", + "AutoOrganizeHelp": "Organiser automatisk overv\u00e5ger de mapper, du henter til, og flytter filerne til dine mediemapper.", + "AutoOrganizeTvHelp": "TV-fil organisering vil kun tilf\u00f8je episoder til eksisterende serier. Der oprettes ikke mapper til nye serier.", + "OptionEnableEpisodeOrganization": "Aktiver organisering af nye episoder.", + "LabelWatchFolder": "Overv\u00e5get mappe:", + "LabelWatchFolderHelp": "Serveren vil unders\u00f8ge denne mappe n\u00e5r den planlagte opgave 'Organiser nye mediefiler' k\u00f8rer.", + "ButtonViewScheduledTasks": "Vis planlagte opgaver.", + "LabelMinFileSizeForOrganize": "Mindste filst\u00f8rrelse (MB):", + "LabelMinFileSizeForOrganizeHelp": "Filer under denne st\u00f8rrelse vil blive ignoreret.", + "LabelSeasonFolderPattern": "S\u00e6sonmappe m\u00f8nster:", + "LabelSeasonZeroFolderName": "S\u00e6son 0 mappenavn:", + "HeaderEpisodeFilePattern": "Episode film\u00f8nster", + "LabelEpisodePattern": "Episode m\u00f8nster:", + "LabelMultiEpisodePattern": "Multi-episode m\u00f8nster:", + "HeaderSupportedPatterns": "Underst\u00f8ttede m\u00f8nstre", + "HeaderTerm": "Udtryk", + "HeaderPattern": "M\u00f8nster", + "HeaderResult": "Resultat", + "LabelDeleteEmptyFolders": "Slet tomme mapper efter organisering", + "LabelDeleteEmptyFoldersHelp": "Aktiver dette for at hole mapperne, du henter til, ryddelige.", + "LabelDeleteLeftOverFiles": "Slet efterladte filer med disse endelser:", + "LabelDeleteLeftOverFilesHelp": "Adskil med ;. F. eks. .nfo;.txt", + "OptionOverwriteExistingEpisodes": "Overskriv eksisterende episoder", + "LabelTransferMethod": "Overf\u00f8rselsmetode", + "OptionCopy": "Kopier", + "OptionMove": "Flyt", + "LabelTransferMethodHelp": "Kopier eller flyt filer fra den overv\u00e5gede mappe.", + "HeaderLatestNews": "Sidste nyt", + "HeaderHelpImproveProject": "Hj\u00e6lp med at forbedre Emvy", + "HeaderRunningTasks": "K\u00f8rende opgaver", + "HeaderActiveDevices": "Aktive enheder", + "HeaderPendingInstallations": "Ventende installationer", + "HeaderServerInformation": "Information om serveren", "ButtonRestartNow": "Genstart nu", - "LabelEnableChannelContentDownloadingForHelp": "Nogle kanaler underst\u00f8tter hentning af indhold f\u00f8r afspilningen. Aktiver dette i omr\u00e5der med lav b\u00e5ndbredde for at hente kanalindholdet i perioder uden aktivitet. Indholdet hentes s\u00e5 n\u00e5r den planlagte opgave for hentning af kanaindhold k\u00f8rer.", - "ButtonOptions": "Indstillinger", - "NotificationOptionApplicationUpdateInstalled": "Programopdatering installeret", "ButtonRestart": "Genstart", - "LabelChannelDownloadPath": "Sti for hentning af kanalindhold:", - "NotificationOptionPluginUpdateInstalled": "Opdatering til plugin installeret", "ButtonShutdown": "Luk", - "LabelChannelDownloadPathHelp": "Angiv en brugerdefineret sti hvis det \u00f8nskes. Hvis den efterlades tom, bliver data hentet til en intern programdatamappe.", - "NotificationOptionPluginInstalled": "Plugin installeret", "ButtonUpdateNow": "Opdater nu", - "LabelChannelDownloadAge": "Slet indhold efter (dage):", - "NotificationOptionPluginUninstalled": "Plugin afinstalleret", + "TabHosting": "Hosting", "PleaseUpdateManually": "Luk venligst serveren og opdater manuelt.", - "LabelChannelDownloadAgeHelp": "Hentet indhold \u00e6ldre end dette vil blive slettet. Det kan stadig afspilles med internet streaming.", - "NotificationOptionTaskFailed": "Fejl i planlagt opgave", "NewServerVersionAvailable": "En ny version af Emby serveren er tilg\u00e6ngelig!", - "ChannelSettingsFormHelp": "Installer kanaler som f. eks. Trailers og Vimeo fra plugin-kataloget.", - "NotificationOptionInstallationFailed": "Fejl ved installation", "ServerUpToDate": "Emby serveren er opdateret", + "LabelComponentsUpdated": "F\u00f8lgende komponenter er blevet installeret eller opdateret:", + "MessagePleaseRestartServerToFinishUpdating": "Genstart venligt serveret for at afslutte opdateringen.", + "LabelDownMixAudioScale": "For\u00f8g lydstyrke ved nedmiksning:", + "LabelDownMixAudioScaleHelp": "For\u00f8g lydstyrken n\u00e5r der nedmikses. S\u00e6t v\u00e6rdien til 1 for at beholde den originale lydstyrke.", + "ButtonLinkKeys": "Overf\u00f8rselsn\u00f8gle", + "LabelOldSupporterKey": "Dammel supporter n\u00f8gle", + "LabelNewSupporterKey": "Ny supporter n\u00f8gle", + "HeaderMultipleKeyLinking": "Overf\u00f8r til ny n\u00f8gle", + "MultipleKeyLinkingHelp": "Hvis du f\u00e5r en ny supporter n\u00f8gle, brug s\u00e5 denne formular til af overf\u00f8re den gamle n\u00f8gles registreringer til den nye.", + "LabelCurrentEmailAddress": "Nuv\u00e6rende e-mail adresse", + "LabelCurrentEmailAddressHelp": "Den e-mail adresse, den nye n\u00f8gle er sendt til.", + "HeaderForgotKey": "Glemt n\u00f8gle", + "LabelEmailAddress": "E-mail adresse", + "LabelSupporterEmailAddress": "Den e-mailadresse , du brugte da du k\u00f8bte n\u00f8glen.", + "ButtonRetrieveKey": "Hent n\u00f8gle", + "LabelSupporterKey": "Supporter n\u00f8gle (Kopier fra e-mail og inds\u00e6t)", + "LabelSupporterKeyHelp": "Inds\u00e6t din supporter n\u00f8gle for at f\u00e5 yderligere fordele, f\u00e6llesskabet har udviklet til Emby.", + "MessageInvalidKey": "Supporter n\u00f8glen manler eller er ugyldig.", + "ErrorMessageInvalidKey": "For at registrere premium indhold skal du v\u00e6re en Emby Supporter. Doner venligst for at st\u00f8tte den l\u00f8bende udvikling af vores kerneprodukt. Mange tak.", + "HeaderDisplaySettings": "Indstillinger for visning", + "TabPlayTo": "Afspil til", + "LabelEnableDlnaServer": "Aktiver DNLA server", + "LabelEnableDlnaServerHelp": "Tillader UPnP enheder i dit netv\u00e6rk at gennemse og afspille Embys indhold.", + "LabelEnableBlastAliveMessages": "Masseudsend 'i live' beskeder", + "LabelEnableBlastAliveMessagesHelp": "Aktiverd dette hvis UPnP enheder har problemer med forbindelsen til serveren.", + "LabelBlastMessageInterval": "Interval mellem 'i live' beskeder (sekunder)", + "LabelBlastMessageIntervalHelp": "Angiver intervallet i sekunder mellem serverens 'i live' beskeder.", + "LabelDefaultUser": "Standardbruger:", + "LabelDefaultUserHelp": "Bestemmer hvilken brugers bibliotek der bliver vist p\u00e5 tilkoblede enheder. Dette kan \u00e6ndres ved at bruge profiler.", + "TitleDlna": "DLNA", + "TitleChannels": "Kanaler", + "HeaderServerSettings": "Serverindstillinger", + "LabelWeatherDisplayLocation": "Lokation for vejrvisning:", + "LabelWeatherDisplayLocationHelp": "USA postnummer \/ by, stat, land \/ by, land", + "LabelWeatherDisplayUnit": "Temperaturenhed", + "OptionCelsius": "Celsius", + "OptionFahrenheit": "Fahrenheit", + "HeaderRequireManualLogin": "Kr\u00e6v manuel indtastning af brugernavn for:", + "HeaderRequireManualLoginHelp": "N\u00e5r dette ikke bruges, kan klienter vise en loginsk\u00e6rm med billeder af brugerne.", + "OptionOtherApps": "Andre apps", + "OptionMobileApps": "Mobile apps", + "HeaderNotificationList": "Klik p\u00e5 en underretning for at indstille hvordan den sender.", + "NotificationOptionApplicationUpdateAvailable": "Programopdatering tilg\u00e6ngelig", + "NotificationOptionApplicationUpdateInstalled": "Programopdatering installeret", + "NotificationOptionPluginUpdateInstalled": "Opdatering til plugin installeret", + "NotificationOptionPluginInstalled": "Plugin installeret", + "NotificationOptionPluginUninstalled": "Plugin afinstalleret", + "NotificationOptionVideoPlayback": "Videoafspilning startet", + "NotificationOptionAudioPlayback": "Lydafspilning startet", + "NotificationOptionGamePlayback": "Spilafspilning startet", + "NotificationOptionVideoPlaybackStopped": "Videoafspilning stoppet", + "NotificationOptionAudioPlaybackStopped": "Lydafspilning stoppet", + "NotificationOptionGamePlaybackStopped": "Spilafspilning stoppet", + "NotificationOptionTaskFailed": "Fejl i planlagt opgave", + "NotificationOptionInstallationFailed": "Fejl ved installation", + "NotificationOptionNewLibraryContent": "Nyt indhold tilf\u00f8jet", + "NotificationOptionNewLibraryContentMultiple": "Nyt indhold tilf\u00f8jet (flere)", + "NotificationOptionCameraImageUploaded": "Kamerabillede tilf\u00f8jet", + "NotificationOptionUserLockedOut": "Bruger l\u00e5st", + "HeaderSendNotificationHelp": "Som standard sendes underretninger til indbakken p\u00e5 betjeningspanelet. Kig i plugin-kataloget for at f\u00e5 flere muligheder for underretninger.", + "NotificationOptionServerRestartRequired": "Genstart af serveren p\u00e5kr\u00e6vet", + "LabelNotificationEnabled": "Aktiver denne underretning", + "LabelMonitorUsers": "Overv\u00e5g aktivitet fra:", + "LabelSendNotificationToUsers": "Send underretning til:", + "LabelUseNotificationServices": "Brug f\u00f8lgende tjenester:", "CategoryUser": "Bruger", "CategorySystem": "System", - "LabelComponentsUpdated": "F\u00f8lgende komponenter er blevet installeret eller opdateret:", + "CategoryApplication": "Program", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Titel p\u00e5 besked", - "ButtonNext": "N\u00e6ste", - "MessagePleaseRestartServerToFinishUpdating": "Genstart venligt serveret for at afslutte opdateringen.", "LabelAvailableTokens": "Tilg\u00e6ngelige tokens:", + "AdditionalNotificationServices": "Kig i plugin-kataloget for at f\u00e5 yderligere uderretnings-tjenester", + "OptionAllUsers": "Alle brugere", + "OptionAdminUsers": "Administratore", + "OptionCustomUsers": "Brugerdefineret", + "ButtonArrowUp": "Op", + "ButtonArrowDown": "Ned", + "ButtonArrowLeft": "Venstre", + "ButtonArrowRight": "H\u00f8jre", + "ButtonBack": "Tilbage", + "ButtonInfo": "Info", + "ButtonOsd": "Vis p\u00e5 sk\u00e6rmen", + "ButtonPageUp": "Side op", + "ButtonPageDown": "Side ned", + "PageAbbreviation": "PG", + "ButtonHome": "Hjem", + "ButtonSearch": "S\u00f8g", + "ButtonSettings": "Indstillinger", + "ButtonTakeScreenshot": "Gem sk\u00e6rmbillede", + "ButtonLetterUp": "Bogstav op", + "ButtonLetterDown": "Bogstav ned", + "PageButtonAbbreviation": "PG", + "LetterButtonAbbreviation": "A", + "TabNowPlaying": "Spiller nu", + "TabNavigation": "Navigation", + "TabControls": "Kontroller", + "ButtonFullscreen": "Skift fuldsk\u00e6rm", + "ButtonScenes": "Scener", + "ButtonSubtitles": "Undertekster", + "ButtonAudioTracks": "Lydspor", + "ButtonPreviousTrack": "Forrige spor", + "ButtonNextTrack": "N\u00e6ste spor", + "ButtonStop": "Stop", + "ButtonPause": "Pause", + "ButtonNext": "N\u00e6ste", "ButtonPrevious": "Forrige", - "LabelSkipIfGraphicalSubsPresent": "Spring over hvis videoen allerede indeholder grafiske undertekster", - "LabelSkipIfGraphicalSubsPresentHelp": "Ved at bruger tekstbaserede undertekster kan du f\u00e5 en mere effektive levering og neds\u00e6tte sandsynligheden for transkodning.", + "LabelGroupMoviesIntoCollections": "Grupper film i samlinger", + "LabelGroupMoviesIntoCollectionsHelp": "Film i samlinger vil blive vist som en samlet enhed i filmlister.", + "NotificationOptionPluginError": "Plugin fejl", + "ButtonVolumeUp": "Volume +", + "ButtonVolumeDown": "Volume -", + "ButtonMute": "Lyd fra", + "HeaderLatestMedia": "Seneste medier", + "OptionSpecialFeatures": "Specielle egenskaber", + "HeaderCollections": "Samlinger", "LabelProfileCodecsHelp": "Adskil med komma. Kan efterlades tom for at g\u00e6lde for alle codecs.", - "LabelSkipIfAudioTrackPresent": "Undlad hvis standardlydsporet er det samme sprog", "LabelProfileContainersHelp": "Adskil med komma. Kan efterlades tom for at g\u00e6lde for alle containere.", - "LabelSkipIfAudioTrackPresentHelp": "Angiv ikke dette for at sikre at alle videoer har undertekster, uanset hvilket sprog lydsporet anvender.", "HeaderResponseProfile": "Svarprofil", "LabelType": "Type:", - "HeaderHelpImproveProject": "Hj\u00e6lp med at forbedre Emvy", + "LabelPersonRole": "Rolle:", + "LabelPersonRoleHelp": "Rolle g\u00e6lder generelt kun for skuespillere.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Profil for direkte afspilning", - "ButtonClose": "Luk", - "TabView": "Visning", - "TabSort": "Sorter", "HeaderTranscodingProfile": "Transkodningsprofil", - "HeaderBecomeProjectSupporter": "Bliv en Emby supporter", - "OptionNone": "Ingen", - "TabFilter": "Filtrer", - "HeaderLiveTv": "Live TV", - "ButtonView": "Visning", "HeaderCodecProfile": "Codec profil", - "HeaderReports": "Rapporter", - "LabelPageSize": "Maks. enheder:", "HeaderCodecProfileHelp": "Codec profiler angiver begr\u00e6nsninger p\u00e5 en enhed for et specifikt codec. Hvis en begr\u00e6nsning n\u00e5s, vil indholdet blive transkodet, selv om codec'et er angivet til direkte afspilning.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "Vis:", - "ViewTypePlaylists": "Afspilningslister", - "HeaderPreferences": "Indstillinger", "HeaderContainerProfile": "Container profil", - "MessageLoadingChannels": "Henter kanalindhold...", - "ButtonMarkRead": "Marker som l\u00e6st", "HeaderContainerProfileHelp": "Container profiler angiver begr\u00e6nsninger p\u00e5 en enhed for et specifikt codec. Hvis en begr\u00e6nsning n\u00e5s, vil indholdet blive transkodet, selv om formatet er angivet til direkte afspilning.", - "LabelAlbumArtists": "Albumartister:", - "OptionDefaultSort": "Standard", - "OptionCommunityMostWatchedSort": "Mest sete", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Videoafspilning stoppet", "OptionProfileAudio": "Lyd", - "HeaderMyViews": "Mine visninger", "OptionProfileVideoAudio": "Video lyd", - "NotificationOptionAudioPlaybackStopped": "Lydafspilning stoppet", - "ButtonVolumeUp": "Volume +", - "OptionLatestTvRecordings": "Seneste optagelser", - "NotificationOptionGamePlaybackStopped": "Spilafspilning stoppet", - "ButtonVolumeDown": "Volume -", - "ButtonMute": "Lyd fra", "OptionProfilePhoto": "Foto", "LabelUserLibrary": "Brugerbibliotek", "LabelUserLibraryHelp": "V\u00e6lg hvilket brugerbibliotek der skal vises p\u00e5 enheden. efterlad tom for at arve standardindstillingen.", - "ButtonArrowUp": "Op", "OptionPlainStorageFolders": "Vis alle mapper som standardmapper", - "LabelChapterName": "Kapitel {0}", - "NotificationOptionCameraImageUploaded": "Kamerabillede tilf\u00f8jet", - "ButtonArrowDown": "Ned", "OptionPlainStorageFoldersHelp": "N\u00e5r dette er aktiveret, bliver alle mapper vist i DIDL som \"object.container.storageFolder\" i stedet for mere specifikke typer, som f. eks. \"object.container.person.musicArtist\".", - "HeaderNewApiKey": "Ny Api n\u00f8gle", - "ButtonArrowLeft": "Venstre", "OptionPlainVideoItems": "Vis alle videoer som standardvideo", - "LabelAppName": "App navn", - "ButtonArrowRight": "H\u00f8jre", - "LabelAppNameExample": "F. eks: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Tilbage", "OptionPlainVideoItemsHelp": "N\u00e5r dette er aktiveret, bliver alle videoer vist i DIDL som \"object.item.videoItem\" i stedet for mere specifikke typer, som f. eks. \"object.item.videoItem.movie\".", - "HeaderNewApiKeyHelp": "Giv applikationen tilladelse til at kommunikere med Emby.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Underst\u00f8ttede medieformater", - "ButtonPageUp": "Side op", "TabIdentification": "Identifikation", - "ButtonPageDown": "Side ned", + "HeaderIdentification": "Identifikation", "TabDirectPlay": "Direkte afspilning", - "PageAbbreviation": "PG", "TabContainers": "Containere", - "ButtonHome": "Hjem", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Begr\u00e6ns st\u00f8rrelsen af mappen med kanalindhold.", - "ButtonSettings": "Indstillinger", "TabResponses": "Svar", - "ButtonTakeScreenshot": "Gem sk\u00e6rmbillede", "HeaderProfileInformation": "Profilinformation", - "ButtonLetterUp": "Bogstav op", - "ButtonLetterDown": "Bogstav ned", "LabelEmbedAlbumArtDidl": "Inds\u00e6t album art i DIDL", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Nogle en\u00b4heder foretr\u00e6kker denne metode til overf\u00f8rsel af album art. Andre kan fejle n\u00e5r dette er aktiveret.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Brugernavn", - "TabNowPlaying": "Spiller nu", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "LabelAlbumArtHelp": "PN til album art, brugt i dlna:profileID attributten upnp:albumArtURI. Nogle klienter kr\u00e6ver en specifik v\u00e6rdi, uanset st\u00f8rrelsen p\u00e5 billedet.", "LabelAlbumArtMaxWidth": "Album art max. bredde:", "LabelAlbumArtMaxWidthHelp": "Maksimumopl\u00f8sningen p\u00e5 album art der bliver vist med upnp:albumArtURI", "LabelAlbumArtMaxHeight": "Album art max. h\u00f8jde:", - "ButtonFullscreen": "Skift fuldsk\u00e6rm", "LabelAlbumArtMaxHeightHelp": "Maksimumopl\u00f8sningen p\u00e5 album art der bliver vist med upnp:albumArtURI", - "HeaderDisplaySettings": "Indstillinger for visning", - "ButtonAudioTracks": "Lydspor", "LabelIconMaxWidth": "Max bredde p\u00e5 ikoner:", - "TabPlayTo": "Afspil til", - "HeaderFeatures": "Egenskaber", "LabelIconMaxWidthHelp": "Maksimumopl\u00f8sningen p\u00e5 ikoner der bliver vist med upnp:icon", - "LabelEnableDlnaServer": "Aktiver DNLA server", - "HeaderAdvanced": "Avanceret", "LabelIconMaxHeight": "Max h\u00f8jde p\u00e5 ikoner:", - "LabelEnableDlnaServerHelp": "Tillader UPnP enheder i dit netv\u00e6rk at gennemse og afspille Embys indhold.", "LabelIconMaxHeightHelp": "Maksimumopl\u00f8sningen p\u00e5 ikoner der bliver vist med upnp:icon", - "LabelEnableBlastAliveMessages": "Masseudsend 'i live' beskeder", "LabelIdentificationFieldHelp": "En case-insensitive substring eller regex ekspression.", - "LabelEnableBlastAliveMessagesHelp": "Aktiverd dette hvis UPnP enheder har problemer med forbindelsen til serveren.", - "CategoryApplication": "Program", "HeaderProfileServerSettingsHelp": "Disse v\u00e6rdier kontrollerer hvordan Emby pr\u00e6senterer sig til enheden.", - "LabelBlastMessageInterval": "Interval mellem 'i live' beskeder (sekunder)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Angiver intervallet i sekunder mellem serverens 'i live' beskeder.", - "NotificationOptionPluginError": "Plugin fejl", "LabelMaxBitrateHelp": "Angiv en maksimal bitrate i omr\u00e5der med begr\u00e6nset b\u00e5ndbredde, eller hvis enheden selv har begr\u00e6nsninger.", - "LabelDefaultUser": "Standardbruger:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Angiv en maksimal bitrate til streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "LabelMaxStaticBitrate": "Max sync bitrate:", + "LabelMaxStaticBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der synkroniseres indhold med h\u00f8j kvalitet.", + "LabelMusicStaticBitrate": "Musik sync bitrate:", + "LabelMusicStaticBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der synkroniseres musik.", + "LabelMusicStreamingTranscodingBitrate": "Bitrate for musiktranskodning", + "LabelMusicStreamingTranscodingBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der streames musik.", "OptionIgnoreTranscodeByteRangeRequests": "Ignorer foresp\u00f8rgsler vedr\u00f8rende transcode byte interval", - "HeaderServerInformation": "Information om serveren", - "LabelDefaultUserHelp": "Bestemmer hvilken brugers bibliotek der bliver vist p\u00e5 tilkoblede enheder. Dette kan \u00e6ndres ved at bruge profiler.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Hvis aktiveret vil disse foresp\u00f8rgsler blive efterkommet, men byte range headeren ignoreret.", "LabelFriendlyName": "System venligt navn", "LabelManufacturer": "Producent", - "ViewTypeMovies": "Film", "LabelManufacturerUrl": "Producent url", - "TabNextUp": "N\u00e6ste", - "ViewTypeTvShows": "TV", "LabelModelName": "Modelnavn", - "ViewTypeGames": "Spil", "LabelModelNumber": "Modelnummer", - "ViewTypeMusic": "Musik", "LabelModelDescription": "Modelbeskrivelse", - "LabelDisplayCollectionsViewHelp": "Dette skaber en separat visning til samlinger du har skabt eller har adgang til. Du skaber samlinger ved at h\u00f8jreklikke, eller trykke og holde, p\u00e5 en film og v\u00e6lge 'Tilf\u00f8j til samling'. ", - "ViewTypeBoxSets": "Samlinger", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Indstillinger for visning", "LabelSerialNumber": "Serienummer", "LabelDeviceDescription": "Beskrivelse af enhed", - "LabelSelectFolderGroups": "Grupper automatisk indhold i visninger, som f. eks. film, musik og TV:", "HeaderIdentificationCriteriaHelp": "Indtast mindst et indetifikationskriterie.", - "LabelSelectFolderGroupsHelp": "Mapper der ikke er markeret bliver sot for sig selv i deres egen visning.", "HeaderDirectPlayProfileHelp": "Tilf\u00f8j profiler for direkte afspilning for at angive hvilke formater enheden selv kan h\u00e5ndtere.", "HeaderTranscodingProfileHelp": "Tilf\u00f8j profiler for transkodning foe at angive hvilke formater der skal anvendes n\u00e5r transkodning er n\u00f8dvendig.", - "ViewTypeLiveTvNowPlaying": "Vises nu", "HeaderResponseProfileHelp": "Svarprofiler giver en metode til at tilpasse hvilken information der sendes til enheden n\u00e5r der afspilles visse typer medier.", - "ViewTypeMusicFavorites": "Favoritter", - "ViewTypeLatestGames": "Seneste spil", - "ViewTypeMusicSongs": "Sange", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favoritalbums", - "ViewTypeRecentlyPlayedGames": "Afspillet for nylig", "LabelXDlnaCapHelp": "Angiver indholdet i X_DLNACAP elementet i urn:schemas-dlna-org:device-1-0", - "ViewTypeMusicFavoriteArtists": "Favoritartister", - "ViewTypeGameFavorites": "Favoritter", - "HeaderViewOrder": "Visningorden", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favoritsange", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Spilsystemer", - "LabelSelectUserViewOrder": "V\u00e6lg hvilken r\u00e6kkef\u00f8lge dine visninger skal v\u00e6re i i Emby apps", "LabelXDlnaDocHelp": "Angiver indholdet i X_DLNADOC elementet i urn:schemas-dlna-org:device-1-0", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genrer", - "MessageNoChapterProviders": "Installer et kapiteludbyder-plugin, som f. ekst. ChapterDb, for at f\u00e5 yderligere muligheder med kapitler.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "V\u00e6rdi:", - "ViewTypeTvResume": "Forts\u00e6t", - "TabChapters": "Kapitler", "LabelSonyAggregationFlagsHelp": "Angiver indholdet i aggregationFlags elementet i urn:schemas-sonycom:av", - "ViewTypeMusicGenres": "Genrer", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "N\u00e6ste", + "LabelTranscodingContainer": "Container:", + "LabelTranscodingVideoCodec": "Video codec:", + "LabelTranscodingVideoProfile": "Videoprofil:", + "LabelTranscodingAudioCodec": "Audio codec:", + "OptionEnableM2tsMode": "Aktiver M2ts tilstand", + "OptionEnableM2tsModeHelp": "Aktiver M2ts tilstand n\u00e5r der omkodes til mpegts.", + "OptionEstimateContentLength": "Estimer l\u00e6ngden af indholdet n\u00e5r der transkodes", + "OptionReportByteRangeSeekingWhenTranscoding": "Angiv at serveren underst\u00f8tter bytes \u00f8gning nrde\u00e5 r transkodes", + "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette er kr\u00e6vet for nogle enheder der ikke er s\u00e6rligt gode til tidss\u00f8gning.", + "HeaderSubtitleDownloadingHelp": "N\u00e5r Emby skanner dine videofiler, kan den s\u00f8ge efter manglende undertekster, og hente dem fra en undertekstudbyder, som f. eks. OpenSubtitles.org.", + "HeaderDownloadSubtitlesFor": "Hent undertekster til:", + "MessageNoChapterProviders": "Installer et kapiteludbyder-plugin, som f. ekst. ChapterDb, for at f\u00e5 yderligere muligheder med kapitler.", + "LabelSkipIfGraphicalSubsPresent": "Spring over hvis videoen allerede indeholder grafiske undertekster", + "LabelSkipIfGraphicalSubsPresentHelp": "Ved at bruger tekstbaserede undertekster kan du f\u00e5 en mere effektive levering og neds\u00e6tte sandsynligheden for transkodning.", + "TabSubtitles": "Undertekster", + "TabChapters": "Kapitler", "HeaderDownloadChaptersFor": "Hent kapitelnavne til:", + "LabelOpenSubtitlesUsername": "Open Subtitles brugernavn:", + "LabelOpenSubtitlesPassword": "Open Subtitles adgangskode:", + "HeaderChapterDownloadingHelp": "N\u00e5r Emby skanner dine videofiler, kan den hente kapitelnavne fra internettet med kapitel-plugins, som f. eks. ChapterDb.", + "LabelPlayDefaultAudioTrack": "Afspil standardlydsporet uanset sproget", + "LabelSubtitlePlaybackMode": "Underteksttilstand:", + "LabelDownloadLanguages": "Hent sprog:", + "ButtonRegister": "Register", + "LabelSkipIfAudioTrackPresent": "Undlad hvis standardlydsporet er det samme sprog", + "LabelSkipIfAudioTrackPresentHelp": "Angiv ikke dette for at sikre at alle videoer har undertekster, uanset hvilket sprog lydsporet anvender.", + "HeaderSendMessage": "Send besked", + "ButtonSend": "Send", + "LabelMessageText": "Beskedtekst:", + "MessageNoAvailablePlugins": "Ingen tilg\u00e6ngelige plugins.", + "LabelDisplayPluginsFor": "Vis plugins til:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby Theater", + "LabelEpisodeNamePlain": "Episodenavn", + "LabelSeriesNamePlain": "Serienavn", + "ValueSeriesNamePeriod": "Serie.navn", + "ValueSeriesNameUnderscore": "Serie_navn", + "ValueEpisodeNamePeriod": "Episode.navn", + "ValueEpisodeNameUnderscore": "Episode_navn", + "LabelSeasonNumberPlain": "S\u00e6sonnummer", + "LabelEpisodeNumberPlain": "Episodenummer", + "LabelEndingEpisodeNumberPlain": "Nummer p\u00e5 sidste episode", + "HeaderTypeText": "Indtast tekst", + "LabelTypeText": "Tekst", + "HeaderSearchForSubtitles": "S\u00f8g efter undertekster", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "Ingenting fundet.", + "TabDisplay": "Visning", + "TabLanguages": "Sprog", + "TabAppSettings": "App-indstillinger", + "LabelEnableThemeSongs": "Aktiver temasange", + "LabelEnableBackdrops": "Aktiver backdrops", + "LabelEnableThemeSongsHelp": "N\u00e5r dette er aktiveret vil der blive afspillet temasange mens man kigger i biblioteket.", + "LabelEnableBackdropsHelp": "N\u00e5r dette er aktiveret vil der blive vist backdrops i baggrunden af nogle sider n\u00e5r man kigger i biblioteket.", + "HeaderHomePage": "Hjemmeside", + "HeaderSettingsForThisDevice": "Indstillinger for denne enhed", + "OptionAuto": "Auto", + "OptionYes": "Ja", + "OptionNo": "Nej", + "HeaderOptions": "Indstillinger", + "HeaderIdentificationResult": "Identifikationsresultat", + "LabelHomePageSection1": "Hjemmeside sektion 1", + "LabelHomePageSection2": "Hjemmeside sektion 2", + "LabelHomePageSection3": "Hjemmeside sektion 3", + "LabelHomePageSection4": "Hjemmeside sektion 4", + "OptionMyMediaButtons": "Mine medier (knapper)", + "OptionMyMedia": "Mine medier", + "OptionMyMediaSmall": "Mine medier (lille)", + "OptionResumablemedia": "Forts\u00e6t", + "OptionLatestMedia": "Seneste medier", + "OptionLatestChannelMedia": "Seneste kanalenheder", + "HeaderLatestChannelItems": "Seneste kanalenheder", + "OptionNone": "Ingen", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Rapporter", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Indstillinger", + "MessageLoadingChannels": "Henter kanalindhold...", + "MessageLoadingContent": "Henter indhold...", + "ButtonMarkRead": "Marker som l\u00e6st", + "OptionDefaultSort": "Standard", + "OptionCommunityMostWatchedSort": "Mest sete", + "TabNextUp": "N\u00e6ste", + "PlaceholderUsername": "Brugernavn", + "HeaderBecomeProjectSupporter": "Bliv en Emby supporter", + "MessageNoMovieSuggestionsAvailable": "Ingen filmforslag er tilg\u00e6ngelige. Begynd at se og vurder dine film, og kom tilbage for at se dine anbefalinger.", + "MessageNoCollectionsAvailable": "Samlinger tillader dig at lave personlige grupperinger affi lm, serier, albums, b\u00f8ger og spil. Klik p\u00e5 + knappen for at starte med at lave samlinger.", + "MessageNoPlaylistsAvailable": "Afspilningslister lader dig lave lister af indhold der kan afspilles lige efter hinanden. For at tilf\u00f8je indhold til afspilningslisten, skal du h\u00f8jreklikke, eller trykke og holde, og derefter v\u00e6lge Tilf\u00f8j til afspilningsliste.", + "MessageNoPlaylistItemsAvailable": "Denne afspilningsliste er tom.", + "ButtonDismiss": "Afvis", + "ButtonEditOtherUserPreferences": "Rediger denne brugers profil, billede og personlige indstillinger.", + "LabelChannelStreamQuality": "Foretrukken internet stream kvalitet:", + "LabelChannelStreamQualityHelp": "I omr\u00e5der med lav b\u00e5ndbredde kan begr\u00e6nsning af kvaliteten sikre en flydende streamingoplevelse.", + "OptionBestAvailableStreamQuality": "Bedst mulige", + "LabelEnableChannelContentDownloadingFor": "Aktiver kanalindhold for:", + "LabelEnableChannelContentDownloadingForHelp": "Nogle kanaler underst\u00f8tter hentning af indhold f\u00f8r afspilningen. Aktiver dette i omr\u00e5der med lav b\u00e5ndbredde for at hente kanalindholdet i perioder uden aktivitet. Indholdet hentes s\u00e5 n\u00e5r den planlagte opgave for hentning af kanaindhold k\u00f8rer.", + "LabelChannelDownloadPath": "Sti for hentning af kanalindhold:", + "LabelChannelDownloadPathHelp": "Angiv en brugerdefineret sti hvis det \u00f8nskes. Hvis den efterlades tom, bliver data hentet til en intern programdatamappe.", + "LabelChannelDownloadAge": "Slet indhold efter (dage):", + "LabelChannelDownloadAgeHelp": "Hentet indhold \u00e6ldre end dette vil blive slettet. Det kan stadig afspilles med internet streaming.", + "ChannelSettingsFormHelp": "Installer kanaler som f. eks. Trailers og Vimeo fra plugin-kataloget.", + "ButtonOptions": "Indstillinger", + "ViewTypePlaylists": "Afspilningslister", + "ViewTypeMovies": "Film", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Spil", + "ViewTypeMusic": "Musik", + "ViewTypeMusicGenres": "Genrer", "ViewTypeMusicArtists": "Artister", - "OptionEquals": "Lig med", + "ViewTypeBoxSets": "Samlinger", + "ViewTypeChannels": "Kanaler", + "ViewTypeLiveTV": "Live TV", + "ViewTypeLiveTvNowPlaying": "Vises nu", + "ViewTypeLatestGames": "Seneste spil", + "ViewTypeRecentlyPlayedGames": "Afspillet for nylig", + "ViewTypeGameFavorites": "Favoritter", + "ViewTypeGameSystems": "Spilsystemer", + "ViewTypeGameGenres": "Genrer", + "ViewTypeTvResume": "Forts\u00e6t", + "ViewTypeTvNextUp": "N\u00e6ste", "ViewTypeTvLatest": "Seneste", - "HeaderChapterDownloadingHelp": "N\u00e5r Emby skanner dine videofiler, kan den hente kapitelnavne fra internettet med kapitel-plugins, som f. eks. ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Delstreng", + "ViewTypeTvShowSeries": "Serier", "ViewTypeTvGenres": "Genrer", - "LabelTranscodingVideoProfile": "Videoprofil:", + "ViewTypeTvFavoriteSeries": "Favoritserier", + "ViewTypeTvFavoriteEpisodes": "Favoritepisoder", + "ViewTypeMovieResume": "Forts\u00e6t", + "ViewTypeMovieLatest": "Seneste", + "ViewTypeMovieMovies": "Film", + "ViewTypeMovieCollections": "Samlinger", + "ViewTypeMovieFavorites": "Favoritter", + "ViewTypeMovieGenres": "Genrer", + "ViewTypeMusicLatest": "Seneste", + "ViewTypeMusicPlaylists": "Afspilningslister", + "ViewTypeMusicAlbums": "Albums", + "ViewTypeMusicAlbumArtists": "Albumartister", + "HeaderOtherDisplaySettings": "Indstillinger for visning", + "ViewTypeMusicSongs": "Sange", + "ViewTypeMusicFavorites": "Favoritter", + "ViewTypeMusicFavoriteAlbums": "Favoritalbums", + "ViewTypeMusicFavoriteArtists": "Favoritartister", + "ViewTypeMusicFavoriteSongs": "Favoritsange", + "HeaderMyViews": "Mine visninger", + "LabelSelectFolderGroups": "Grupper automatisk indhold i visninger, som f. eks. film, musik og TV:", + "LabelSelectFolderGroupsHelp": "Mapper der ikke er markeret bliver sot for sig selv i deres egen visning.", + "OptionDisplayAdultContent": "Vis voksenindhold", + "OptionLibraryFolders": "Mediemapper", + "TitleRemoteControl": "Fjernstyring", + "OptionLatestTvRecordings": "Seneste optagelser", + "LabelProtocolInfo": "Protokolinformation:", + "LabelProtocolInfoHelp": "Den v\u00e6rdi der bruges til svar p\u00e5 GetProtocolInfo-foresp\u00f8rgsler fra enheden.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby har indbygget underst\u00f8ttelse af Nfo metadatafiler.For at sl\u00e5 Nfo metadata til eller fra, skal du bruge indstillinger for medietyper p\u00e5 Avanceret-fanen.", + "LabelKodiMetadataUser": "Synkroniser brugerdata til Nfo'er for:", + "LabelKodiMetadataUserHelp": "Aktiver dette for at sikre data er ens i Emby og Nfo-filer.", + "LabelKodiMetadataDateFormat": "Format for udgivelsesdato:", + "LabelKodiMetadataDateFormatHelp": "Alle datoer i Nfo-filer vil blive l\u00e6st og skrevet med dette format.", + "LabelKodiMetadataSaveImagePaths": "Gem stier til billeder i Nfo-filer", + "LabelKodiMetadataSaveImagePathsHelp": "Dette er anbefalet hvis du har billedfiler med navne der ikke lever op til Kodis retningslinjer.", + "LabelKodiMetadataEnablePathSubstitution": "Aktiver stisubstitution", + "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverer stisubstitution for billedstier med serverens stisubstitutionsindstillinger.", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "Se stisubstitution.", + "LabelGroupChannelsIntoViews": "Vis disse kanaler direkte i mine visninger:", + "LabelGroupChannelsIntoViewsHelp": "Aktiver dette for at se disse kanaler sammen med andre visninger. Hvis det ikke er aktiveret, bliver de vist i en separat Kanaler visning.", + "LabelDisplayCollectionsView": "Vis en Samlinger visning til filmsamlinger", + "LabelDisplayCollectionsViewHelp": "Dette skaber en separat visning til samlinger du har skabt eller har adgang til. Du skaber samlinger ved at h\u00f8jreklikke, eller trykke og holde, p\u00e5 en film og v\u00e6lge 'Tilf\u00f8j til samling'. ", + "LabelKodiMetadataEnableExtraThumbs": "kopier extrafanart til extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Ved hentning af billeder, kan de gemmes i b\u00e5de extrafanart og extrathumbs. Dette giver maksimal Kodi skin kompatibilitet.", "TabServices": "Tjenester", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Forts\u00e6t", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Aktiver M2ts tilstand", - "ViewTypeMovieLatest": "Seneste", "HeaderServerLogFiles": "Serverlogfiler:", - "OptionEnableM2tsModeHelp": "Aktiver M2ts tilstand n\u00e5r der omkodes til mpegts.", - "ViewTypeMovieMovies": "Film", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimer l\u00e6ngden af indholdet n\u00e5r der transkodes", - "HeaderPassword": "Adgangskode", - "ViewTypeMovieCollections": "Samlinger", "HeaderBrandingHelp": "Brugertilpas udseendet af Emby s\u00e5 den passer til dine behov.", - "OptionReportByteRangeSeekingWhenTranscoding": "Angiv at serveren underst\u00f8tter bytes \u00f8gning nrde\u00e5 r transkodes", - "HeaderLocalAccess": "Lokal adgang", - "ViewTypeMovieFavorites": "Favoritter", "LabelLoginDisclaimer": "Login ansvarsfraskrivelse:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette er kr\u00e6vet for nogle enheder der ikke er s\u00e6rligt gode til tidss\u00f8gning.", - "ViewTypeMovieGenres": "Genrer", "LabelLoginDisclaimerHelp": "Dette bliver vist i bunden af loginsiden.", - "ViewTypeMusicLatest": "Seneste", "LabelAutomaticallyDonate": "Doner automatisk dette bel\u00f8b hver m\u00e5ned", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "Du kan opsige n\u00e5r som helst fra din PayPal-konto.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Albumartister", - "LabelDownMixAudioScale": "For\u00f8g lydstyrke ved nedmiksning:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Afspil standardlydsporet uanset sproget", - "LabelDownMixAudioScaleHelp": "For\u00f8g lydstyrken n\u00e5r der nedmikses. S\u00e6t v\u00e6rdien til 1 for at beholde den originale lydstyrke.", - "LabelHomePageSection4": "Hjemmeside sektion 4", - "HeaderChapters": "Kapitler", - "LabelSubtitlePlaybackMode": "Underteksttilstand:", - "HeaderDownloadPeopleMetadataForHelp": "Ved at aktivere yderligere muligheder s\u00e5r du mere informatin p\u00e5 sk\u00e6rmen, men biblioteksskanninger bliver langsommere.", - "ButtonLinkKeys": "Overf\u00f8rselsn\u00f8gle", - "OptionLatestChannelMedia": "Seneste kanalenheder", - "HeaderResumeSettings": "Indstillinger for forts\u00e6t", - "ViewTypeFolders": "Mapper", - "LabelOldSupporterKey": "Dammel supporter n\u00f8gle", - "HeaderLatestChannelItems": "Seneste kanalenheder", - "LabelDisplayFoldersView": "Vis en mappevisning til visning af enkle mediemapper", - "LabelNewSupporterKey": "Ny supporter n\u00f8gle", - "TitleRemoteControl": "Fjernstyring", - "ViewTypeLiveTvRecordingGroups": "Optagelser", - "HeaderMultipleKeyLinking": "Overf\u00f8r til ny n\u00f8gle", - "ViewTypeLiveTvChannels": "Kanaler", - "MultipleKeyLinkingHelp": "Hvis du f\u00e5r en ny supporter n\u00f8gle, brug s\u00e5 denne formular til af overf\u00f8re den gamle n\u00f8gles registreringer til den nye.", - "LabelCurrentEmailAddress": "Nuv\u00e6rende e-mail adresse", - "LabelCurrentEmailAddressHelp": "Den e-mail adresse, den nye n\u00f8gle er sendt til.", - "HeaderForgotKey": "Glemt n\u00f8gle", - "TabControls": "Kontroller", - "LabelEmailAddress": "E-mail adresse", - "LabelSupporterEmailAddress": "Den e-mailadresse , du brugte da du k\u00f8bte n\u00f8glen.", - "ButtonRetrieveKey": "Hent n\u00f8gle", - "LabelSupporterKey": "Supporter n\u00f8gle (Kopier fra e-mail og inds\u00e6t)", - "LabelSupporterKeyHelp": "Inds\u00e6t din supporter n\u00f8gle for at f\u00e5 yderligere fordele, f\u00e6llesskabet har udviklet til Emby.", - "MessageInvalidKey": "Supporter n\u00f8glen manler eller er ugyldig.", - "ErrorMessageInvalidKey": "For at registrere premium indhold skal du v\u00e6re en Emby Supporter. Doner venligst for at st\u00f8tte den l\u00f8bende udvikling af vores kerneprodukt. Mange tak.", - "HeaderEpisodes": "Episoder:", - "UserDownloadingItemWithValues": "{0} henter {1}", - "OptionMyMediaButtons": "Mine medier (knapper)", - "HeaderHomePage": "Hjemmeside", - "HeaderSettingsForThisDevice": "Indstillinger for denne enhed", - "OptionMyMedia": "Mine medier", - "OptionAllUsers": "Alle brugere", - "ButtonDismiss": "Afvis", - "OptionAdminUsers": "Administratore", - "OptionDisplayAdultContent": "Vis voksenindhold", - "HeaderSearchForSubtitles": "S\u00f8g efter undertekster", - "OptionCustomUsers": "Brugerdefineret", - "ButtonMore": "Mere", - "MessageNoSubtitleSearchResultsFound": "Ingenting fundet.", + "OptionList": "Liste", + "TabDashboard": "Betjeningspanel", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Billeder pr. navn:", + "LabelTranscodingTemporaryFiles": "Midlertidige filer for transkodning:", "HeaderLatestMusic": "Seneste musik", - "OptionMyMediaSmall": "Mine medier (lille)", - "TabDisplay": "Visning", "HeaderBranding": "Branding", - "TabLanguages": "Sprog", "HeaderApiKeys": "Api n\u00f8gler", - "LabelGroupChannelsIntoViews": "Vis disse kanaler direkte i mine visninger:", "HeaderApiKeysHelp": "Eksterne applikationer skal have en Api n\u00f8gle for at kunne kommunikere med Emby. N\u00f8gler udstedes ved at logge ind med en Emby konto, eller ved manuelt at tildele applikationen en n\u00f8gle.", - "LabelGroupChannelsIntoViewsHelp": "Aktiver dette for at se disse kanaler sammen med andre visninger. Hvis det ikke er aktiveret, bliver de vist i en separat Kanaler visning.", - "LabelEnableThemeSongs": "Aktiver temasange", "HeaderApiKey": "Api n\u00f8gle", - "HeaderSubtitleDownloadingHelp": "N\u00e5r Emby skanner dine videofiler, kan den s\u00f8ge efter manglende undertekster, og hente dem fra en undertekstudbyder, som f. eks. OpenSubtitles.org.", - "LabelEnableBackdrops": "Aktiver backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Hent undertekster til:", - "LabelEnableThemeSongsHelp": "N\u00e5r dette er aktiveret vil der blive afspillet temasange mens man kigger i biblioteket.", "HeaderDevice": "Enhed", - "LabelEnableBackdropsHelp": "N\u00e5r dette er aktiveret vil der blive vist backdrops i baggrunden af nogle sider n\u00e5r man kigger i biblioteket.", "HeaderUser": "Bruger", "HeaderDateIssued": "Udstedelsesdato", - "TabSubtitles": "Undertekster", - "LabelOpenSubtitlesUsername": "Open Subtitles brugernavn:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles adgangskode:", - "OptionYes": "Ja", - "OptionNo": "Nej", - "LabelDownloadLanguages": "Hent sprog:", - "LabelHomePageSection1": "Hjemmeside sektion 1", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Hjemmeside sektion 2", - "LabelHomePageSection3": "Hjemmeside sektion 3", - "OptionResumablemedia": "Forts\u00e6t", - "ViewTypeTvShowSeries": "Serier", - "OptionLatestMedia": "Seneste medier", - "ViewTypeTvFavoriteSeries": "Favoritserier", - "ViewTypeTvFavoriteEpisodes": "Favoritepisoder", - "LabelEpisodeNamePlain": "Episodenavn", - "LabelSeriesNamePlain": "Serienavn", - "LabelSeasonNumberPlain": "S\u00e6sonnummer", - "LabelEpisodeNumberPlain": "Episodenummer", - "OptionLibraryFolders": "Mediemapper", - "LabelEndingEpisodeNumberPlain": "Nummer p\u00e5 sidste episode", + "LabelChapterName": "Kapitel {0}", + "HeaderNewApiKey": "Ny Api n\u00f8gle", + "LabelAppName": "App navn", + "LabelAppNameExample": "F. eks: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Giv applikationen tilladelse til at kommunikere med Emby.", + "HeaderHttpHeaders": "Http Headers", + "HeaderIdentificationHeader": "Identification Header", + "LabelValue": "V\u00e6rdi:", + "LabelMatchType": "Match type:", + "OptionEquals": "Lig med", + "OptionRegex": "Regex", + "OptionSubstring": "Delstreng", + "TabView": "Visning", + "TabSort": "Sorter", + "TabFilter": "Filtrer", + "ButtonView": "Visning", + "LabelPageSize": "Maks. enheder:", + "LabelPath": "Sti:", + "LabelView": "Vis:", + "TabUsers": "Brugere", + "LabelSortName": "Sorteringsnavn:", + "LabelDateAdded": "Dato for tilf\u00f8jelse:", + "HeaderFeatures": "Egenskaber", + "HeaderAdvanced": "Avanceret", + "ButtonSync": "Sync", + "TabScheduledTasks": "Planlagte opgaver", + "HeaderChapters": "Kapitler", + "HeaderResumeSettings": "Indstillinger for forts\u00e6t", + "TabSync": "Sync", + "TitleUsers": "Brugere", + "LabelProtocol": "Protokol:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Kontekst:", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Sync", + "ButtonAddToPlaylist": "Tilf\u00f8j til afspilningsliste", + "TabPlaylists": "Afspilningslister", + "ButtonClose": "Luk", "LabelAllLanguages": "Alle sprog", "HeaderBrowseOnlineImages": "Gennemse online billeder", "LabelSource": "Kilde:", @@ -939,509 +1067,388 @@ "LabelImage": "Billede:", "ButtonBrowseImages": "Gennemse billeder", "HeaderImages": "Billeder", - "LabelReleaseDate": "Udgivelsesdato:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Indstillinger", - "LabelWeatherDisplayLocation": "Lokation for vejrvisning:", - "TabUsers": "Brugere", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "Slutdato:", "HeaderScreenshots": "Sk\u00e6rmbilleder", - "HeaderIdentificationResult": "Identifikationsresultat", - "LabelWeatherDisplayLocationHelp": "USA postnummer \/ by, stat, land \/ by, land", - "LabelYear": "\u00c5r:", "HeaderAddUpdateImage": "Tilf\u00f8j\/opdater billede", - "LabelWeatherDisplayUnit": "Temperaturenhed", "LabelJpgPngOnly": "Kun JPG\/PNG", - "OptionCelsius": "Celsius", - "TabAppSettings": "App-indstillinger", "LabelImageType": "Billedtype:", - "HeaderActivity": "Aktivitet", - "LabelChannelDownloadSizeLimit": "St\u00f8rrelsesbegr\u00e6nsning for hentning (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "PrIm\u00e6r", - "ScheduledTaskStartedWithName": "{0} startet", - "MessageLoadingContent": "Henter indhold...", - "HeaderRequireManualLogin": "Kr\u00e6v manuel indtastning af brugernavn for:", "OptionArt": "Kunst", - "ScheduledTaskCancelledWithName": "{0} blev afbrudt", - "NotificationOptionUserLockedOut": "Bruger l\u00e5st", - "HeaderRequireManualLoginHelp": "N\u00e5r dette ikke bruges, kan klienter vise en loginsk\u00e6rm med billeder af brugerne.", "OptionBox": "\u00c6ske", - "ScheduledTaskCompletedWithName": "{0} f\u00e6rdig", - "OptionOtherApps": "Andre apps", - "TabScheduledTasks": "Planlagte opgaver", "OptionBoxRear": "\u00c6ske bag", - "ScheduledTaskFailed": "Planlagt opgave udf\u00f8rt", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disk", - "PluginInstalledWithName": "{0} blev installeret", "OptionIcon": "Ikon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} blev opdateret", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} blev afinstalleret", "OptionScreenshot": "Sk\u00e6rmbillede", - "ButtonScenes": "Scener", - "ScheduledTaskFailedWithName": "{0} fejlede", - "UserLockedOutWithName": "Bruger {0} er blevet l\u00e5st", "OptionLocked": "L\u00e5st", - "ButtonSubtitles": "Undertekster", - "ItemAddedWithName": "{0} blev tilf\u00f8jet til biblioteket", "OptionUnidentified": "Uidentificeret", - "ItemRemovedWithName": "{0} blev fjernet fra biblioteket", "OptionMissingParentalRating": "Mangler aldersgr\u00e6nse", - "HeaderCollections": "Samlinger", - "DeviceOnlineWithName": "{0} er forbundet", "OptionStub": "P\u00e5begyndt", + "HeaderEpisodes": "Episoder:", + "OptionSeason0": "S\u00e6son 0", + "LabelReport": "Rapport:", + "OptionReportSongs": "Sange", + "OptionReportSeries": "Serier", + "OptionReportSeasons": "S\u00e6soner", + "OptionReportTrailers": "Trailere", + "OptionReportMusicVideos": "Musikvideoer", + "OptionReportMovies": "Film", + "OptionReportHomeVideos": "Hjemmevideoer", + "OptionReportGames": "Spil", + "OptionReportEpisodes": "Episoder", + "OptionReportCollections": "Samlinger", + "OptionReportBooks": "B\u00f8ger", + "OptionReportArtists": "Artister", + "OptionReportAlbums": "Albums", + "OptionReportAdultVideos": "Voksenfilm", + "HeaderActivity": "Aktivitet", + "ScheduledTaskStartedWithName": "{0} startet", + "ScheduledTaskCancelledWithName": "{0} blev afbrudt", + "ScheduledTaskCompletedWithName": "{0} f\u00e6rdig", + "ScheduledTaskFailed": "Planlagt opgave udf\u00f8rt", + "PluginInstalledWithName": "{0} blev installeret", + "PluginUpdatedWithName": "{0} blev opdateret", + "PluginUninstalledWithName": "{0} blev afinstalleret", + "ScheduledTaskFailedWithName": "{0} fejlede", + "ItemAddedWithName": "{0} blev tilf\u00f8jet til biblioteket", + "ItemRemovedWithName": "{0} blev fjernet fra biblioteket", + "DeviceOnlineWithName": "{0} er forbundet", "UserOnlineFromDevice": "{0} er online fra {1}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} har afbrudt forbindelsen", - "OptionList": "Liste", - "OptionSeason0": "S\u00e6son 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} har afbrudt forbindelsen fra {1}", - "TabDashboard": "Betjeningspanel", - "LabelReport": "Rapport:", "SubtitlesDownloadedForItem": "Undertekster hentet til {0}", - "TitleServer": "Server", - "OptionReportSongs": "Sange", "SubtitleDownloadFailureForItem": "Hentning af undertekster til {0} fejlede", - "LabelCache": "Cache:", - "OptionReportSeries": "Serier", "LabelRunningTimeValue": "K\u00f8rselstid: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "S\u00e6soner", "LabelIpAddressValue": "IP-adresse: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailere", - "ViewTypeMusicPlaylists": "Afspilningslister", + "UserLockedOutWithName": "Bruger {0} er blevet l\u00e5st", "UserConfigurationUpdatedWithName": "Brugerkonfigurationen for {0} er blevet opdateret", - "NotificationOptionNewLibraryContentMultiple": "Nyt indhold tilf\u00f8jet (flere)", - "LabelImagesByName": "Billeder pr. navn:", - "OptionReportMusicVideos": "Musikvideoer", "UserCreatedWithName": "Bruger {0} er skabt", - "HeaderSendMessage": "Send besked", - "LabelTranscodingTemporaryFiles": "Midlertidige filer for transkodning:", - "OptionReportMovies": "Film", "UserPasswordChangedWithName": "Adgangskoden for {0} er blevet \u00e6ndret", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Hjemmevideoer", "UserDeletedWithName": "Bruger {0} er slettet", - "LabelMessageText": "Beskedtekst:", - "OptionReportGames": "Spil", "MessageServerConfigurationUpdated": "Serverkonfigurationen er opdateret", - "HeaderKodiMetadataHelp": "Emby har indbygget underst\u00f8ttelse af Nfo metadatafiler.For at sl\u00e5 Nfo metadata til eller fra, skal du bruge indstillinger for medietyper p\u00e5 Avanceret-fanen.", - "OptionReportEpisodes": "Episoder", - "ButtonPreviousTrack": "Forrige spor", "MessageNamedServerConfigurationUpdatedWithValue": "Serverkonfiguration sektion {0} er opdateret", - "LabelKodiMetadataUser": "Synkroniser brugerdata til Nfo'er for:", - "OptionReportCollections": "Samlinger", - "ButtonNextTrack": "N\u00e6ste spor", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby er blevet opdateret", - "LabelKodiMetadataUserHelp": "Aktiver dette for at sikre data er ens i Emby og Nfo-filer.", - "OptionReportBooks": "B\u00f8ger", - "HeaderServerSettings": "Serverindstillinger", "AuthenticationSucceededWithUserName": "{0} autentificeret", - "LabelKodiMetadataDateFormat": "Format for udgivelsesdato:", - "OptionReportArtists": "Artister", "FailedLoginAttemptWithUserName": "Fejlslagent loginfors\u00f8g fra {0}", - "LabelKodiMetadataDateFormatHelp": "Alle datoer i Nfo-filer vil blive l\u00e6st og skrevet med dette format.", - "ButtonAddToPlaylist": "Tilf\u00f8j til afspilningsliste", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} henter {1}", "UserStartedPlayingItemWithValues": "{0} afspiller {1}", - "LabelKodiMetadataSaveImagePaths": "Gem stier til billeder i Nfo-filer", - "LabelDisplayCollectionsView": "Vis en Samlinger visning til filmsamlinger", - "AdditionalNotificationServices": "Kig i plugin-kataloget for at f\u00e5 yderligere uderretnings-tjenester", - "OptionReportAdultVideos": "Voksenfilm", "UserStoppedPlayingItemWithValues": "{0} har stoppet afpilningen af {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Dette er anbefalet hvis du har billedfiler med navne der ikke lever op til Kodis retningslinjer.", "AppDeviceValues": "App: {0}, Enhed: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Aktiver stisubstitution", - "LabelProtocolInfo": "Protokolinformation:", "ProviderValue": "Udbyder: {0}", + "LabelChannelDownloadSizeLimit": "St\u00f8rrelsesbegr\u00e6nsning for hentning (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Begr\u00e6ns st\u00f8rrelsen af mappen med kanalindhold.", + "HeaderRecentActivity": "Seneste aktivitet", + "HeaderPeople": "Mennesker", + "HeaderDownloadPeopleMetadataFor": "Hent biografil og billeder for:", + "OptionComposers": "Komponenter", + "OptionOthers": "Andre", + "HeaderDownloadPeopleMetadataForHelp": "Ved at aktivere yderligere muligheder s\u00e5r du mere informatin p\u00e5 sk\u00e6rmen, men biblioteksskanninger bliver langsommere.", + "ViewTypeFolders": "Mapper", + "LabelDisplayFoldersView": "Vis en mappevisning til visning af enkle mediemapper", + "ViewTypeLiveTvRecordingGroups": "Optagelser", + "ViewTypeLiveTvChannels": "Kanaler", "LabelEasyPinCode": "Pinkode:", - "LabelMaxStreamingBitrateHelp": "Angiv en maksimal bitrate til streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverer stisubstitution for billedstier med serverens stisubstitutionsindstillinger.", - "LabelProtocolInfoHelp": "Den v\u00e6rdi der bruges til svar p\u00e5 GetProtocolInfo-foresp\u00f8rgsler fra enheden.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Se stisubstitution.", - "MessageNoPlaylistsAvailable": "Afspilningslister lader dig lave lister af indhold der kan afspilles lige efter hinanden. For at tilf\u00f8je indhold til afspilningslisten, skal du h\u00f8jreklikke, eller trykke og holde, og derefter v\u00e6lge Tilf\u00f8j til afspilningsliste.", "EasyPasswordHelp": "Din pinkode bruges til offline adgang til underst\u00f8ttede Emby apps, og kan ogs\u00e5 bruges til nemt login inden for eget netv\u00e6rk.", - "LabelMaxStaticBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der synkroniseres indhold med h\u00f8j kvalitet.", - "LabelKodiMetadataEnableExtraThumbs": "kopier extrafanart til extrathumbs", - "MessageNoPlaylistItemsAvailable": "Denne afspilningsliste er tom.", - "TabSync": "Sync", - "LabelProtocol": "Protokol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Ved hentning af billeder, kan de gemmes i b\u00e5de extrafanart og extrathumbs. Dette giver maksimal Kodi skin kompatibilitet.", - "TabPlaylists": "Afspilningslister", - "LabelPersonRole": "Rolle:", "LabelInNetworkSignInWithEasyPassword": "Tillad login inden for eget netv\u00e6rk med pinkode", - "TitleUsers": "Brugere", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Rolle g\u00e6lder generelt kun for skuespillere.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Sti:", - "HeaderIdentification": "Identifikation", "LabelInNetworkSignInWithEasyPasswordHelp": "Aktiver dette for at loge ind i Emby apps med din pinkode inden for dit eget netv\u00e6rk. Din almindelige adgangskode skal du s\u00e5 kun bruge n\u00e5r du ikke er hjemme. Hvis pinkoden er tom, kan du logge ind uden adgangskode inden for dit eget netv\u00e6rk.", - "LabelContext": "Kontekst:", - "LabelSortName": "Sorteringsnavn:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Dato for tilf\u00f8jelse:", + "HeaderPassword": "Adgangskode", + "HeaderLocalAccess": "Lokal adgang", + "HeaderViewOrder": "Visningorden", "ButtonResetEasyPassword": "Nulstil pinkode", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "V\u00e6lg hvilken r\u00e6kkef\u00f8lge dine visninger skal v\u00e6re i i Emby apps", "LabelMetadataRefreshMode": "Opdateringstilstand for metadata:", - "ViewTypeChannels": "Kanaler", "LabelImageRefreshMode": "Opdateringstilstand for billeder:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "Som standard sendes underretninger til indbakken p\u00e5 betjeningspanelet. Kig i plugin-kataloget for at f\u00e5 flere muligheder for underretninger.", "OptionDownloadMissingImages": "Hent manglende billeder", "OptionReplaceExistingImages": "Erstat eksisterende billeder", "OptionRefreshAllData": "Opdater alle data", "OptionAddMissingDataOnly": "Hent kun manglende data", "OptionLocalRefreshOnly": "Opdater kun lokalt", - "LabelGroupMoviesIntoCollections": "Grupper film i samlinger", "HeaderRefreshMetadata": "Opdater metadata", - "LabelGroupMoviesIntoCollectionsHelp": "Film i samlinger vil blive vist som en samlet enhed i filmlister.", "HeaderPersonInfo": "Personinformation", "HeaderIdentifyItem": "Identificer genstand", "HeaderIdentifyItemHelp": "Indtast et eller flere s\u00f8gekriterier.Fjern kriterier for at f\u00e5 flere s\u00f8geresultater.", - "HeaderLatestMedia": "Seneste medier", + "HeaderConfirmDeletion": "Bekr\u00e6ft sletning", "LabelFollowingFileWillBeDeleted": "F\u00f8lgende filer bliver slettet:", "LabelIfYouWishToContinueWithDeletion": "Hvis du \u00f8nsker at forts\u00e6tte, bekr\u00e6ft venligst ved at indtaste v\u00e6rdien af:", - "OptionSpecialFeatures": "Specielle egenskaber", "ButtonIdentify": "Identificer", "LabelAlbumArtist": "Albumartist:", + "LabelAlbumArtists": "Albumartister:", "LabelAlbum": "Album:", "LabelCommunityRating": "F\u00e6llesskabsvurdering:", "LabelVoteCount": "Antal stemmer:", - "ButtonSearch": "S\u00f8g", "LabelMetascore": "Metascore:", "LabelCriticRating": "Kritikervurdering:", "LabelCriticRatingSummary": "Resum\u00e9 af kritikervurderinger:", "LabelAwardSummary": "Resum\u00e9 af priser:", - "LabelSeasonZeroFolderName": "S\u00e6son 0 mappenavn:", "LabelWebsite": "Hjemmeside:", - "HeaderEpisodeFilePattern": "Episode film\u00f8nster", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode m\u00f8nster:", "LabelOverview": "Oversigt:", - "LabelMultiEpisodePattern": "Multi-episode m\u00f8nster:", "LabelShortOverview": "Kort oversigt:", - "HeaderSupportedPatterns": "Underst\u00f8ttede m\u00f8nstre", - "MessageNoMovieSuggestionsAvailable": "Ingen filmforslag er tilg\u00e6ngelige. Begynd at se og vurder dine film, og kom tilbage for at se dine anbefalinger.", - "LabelMusicStaticBitrate": "Musik sync bitrate:", + "LabelReleaseDate": "Udgivelsesdato:", + "LabelYear": "\u00c5r:", "LabelPlaceOfBirth": "F\u00f8dselssted:", - "HeaderTerm": "Udtryk", - "MessageNoCollectionsAvailable": "Samlinger tillader dig at lave personlige grupperinger affi lm, serier, albums, b\u00f8ger og spil. Klik p\u00e5 + knappen for at starte med at lave samlinger.", - "LabelMusicStaticBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der synkroniseres musik.", + "LabelEndDate": "Slutdato:", "LabelAirDate": "Sendedage:", - "HeaderPattern": "M\u00f8nster", - "LabelMusicStreamingTranscodingBitrate": "Bitrate for musiktranskodning", "LabelAirTime:": "Sendetid:", - "HeaderNotificationList": "Klik p\u00e5 en underretning for at indstille hvordan den sender.", - "HeaderResult": "Resultat", - "LabelMusicStreamingTranscodingBitrateHelp": "Angiv en maksimal bitrate n\u00e5r der streames musik.", "LabelRuntimeMinutes": "Spilletid (minutter):", - "LabelNotificationEnabled": "Aktiver denne underretning", - "LabelDeleteEmptyFolders": "Slet tomme mapper efter organisering", - "HeaderRecentActivity": "Seneste aktivitet", "LabelParentalRating": "Aldersgr\u00e6nse:", - "LabelDeleteEmptyFoldersHelp": "Aktiver dette for at hole mapperne, du henter til, ryddelige.", - "ButtonOsd": "Vis p\u00e5 sk\u00e6rmen", - "HeaderPeople": "Mennesker", "LabelCustomRating": "Brugerdefineret bed\u00f8mmelse:", - "LabelDeleteLeftOverFiles": "Slet efterladte filer med disse endelser:", - "MessageNoAvailablePlugins": "Ingen tilg\u00e6ngelige plugins.", - "HeaderDownloadPeopleMetadataFor": "Hent biografil og billeder for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Videoafspilning startet", - "LabelDeleteLeftOverFilesHelp": "Adskil med ;. F. eks. .nfo;.txt", - "LabelDisplayPluginsFor": "Vis plugins til:", - "OptionComposers": "Komponenter", "LabelRevenue": "Indt\u00e6gter ($):", - "NotificationOptionAudioPlayback": "Lydafspilning startet", - "OptionOverwriteExistingEpisodes": "Overskriv eksisterende episoder", - "OptionOthers": "Andre", "LabelOriginalAspectRatio": "Originalt formatforhold:", - "NotificationOptionGamePlayback": "Spilafspilning startet", - "LabelTransferMethod": "Overf\u00f8rselsmetode", "LabelPlayers": "Afspillere:", - "OptionCopy": "Kopier", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "Nyt indhold tilf\u00f8jet", - "OptionMove": "Flyt", "HeaderAlternateEpisodeNumbers": "Alternative episodenumre", - "NotificationOptionServerRestartRequired": "Genstart af serveren p\u00e5kr\u00e6vet", - "LabelTransferMethodHelp": "Kopier eller flyt filer fra den overv\u00e5gede mappe.", "HeaderSpecialEpisodeInfo": "Information om specialepisoder", - "LabelMonitorUsers": "Overv\u00e5g aktivitet fra:", - "HeaderLatestNews": "Sidste nyt", - "ValueSeriesNamePeriod": "Serie.navn", "HeaderExternalIds": "Eksterne ID'er:", - "LabelSendNotificationToUsers": "Send underretning til:", - "ValueSeriesNameUnderscore": "Serie_navn", - "TitleChannels": "Kanaler", - "HeaderRunningTasks": "K\u00f8rende opgaver", - "HeaderConfirmDeletion": "Bekr\u00e6ft sletning", - "ValueEpisodeNamePeriod": "Episode.navn", - "LabelChannelStreamQuality": "Foretrukken internet stream kvalitet:", - "HeaderActiveDevices": "Aktive enheder", - "ValueEpisodeNameUnderscore": "Episode_navn", - "LabelChannelStreamQualityHelp": "I omr\u00e5der med lav b\u00e5ndbredde kan begr\u00e6nsning af kvaliteten sikre en flydende streamingoplevelse.", - "HeaderPendingInstallations": "Ventende installationer", - "HeaderTypeText": "Indtast tekst", - "OptionBestAvailableStreamQuality": "Bedst mulige", - "LabelUseNotificationServices": "Brug f\u00f8lgende tjenester:", - "LabelTypeText": "Tekst", - "ButtonEditOtherUserPreferences": "Rediger denne brugers profil, billede og personlige indstillinger.", - "LabelEnableChannelContentDownloadingFor": "Aktiver kanalindhold for:", - "NotificationOptionApplicationUpdateAvailable": "Programopdatering tilg\u00e6ngelig", + "LabelDvdSeasonNumber": "DVD s\u00e6sonnummer", + "LabelDvdEpisodeNumber": "DVD episodenummer:", + "LabelAbsoluteEpisodeNumber": "Absolut episodenummer:", + "LabelAirsBeforeSeason": "Sendes f\u00f8r s\u00e6son:", + "LabelAirsAfterSeason": "Sendes efter s\u00e6son:", "LabelAirsBeforeEpisode": "Sendes f\u00f8r episode:", "LabelTreatImageAs": "Opfat billede som:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Visningsorden:", "LabelDisplaySpecialsWithinSeasons": "Vis specialepisoder sammen med den s\u00e6son de blev sent i", - "HeaderAddTag": "Tilf\u00f8j tag", - "LabelNativeExternalPlayersHelp": "Hvis knapper til at afspille indhold i eksterne afspillere.", "HeaderCountries": "Lande", "HeaderGenres": "Genrer", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot n\u00f8gleord", - "LabelEnableItemPreviews": "Aktiver forh\u00e5ndsvisning af elementer", "HeaderStudios": "Studier", "HeaderTags": "Tags", "HeaderMetadataSettings": "Indstillinger for metadata", - "LabelEnableItemPreviewsHelp": "Hvis aktiveret vil der blive vist glidende forh\u00e5ndsvisninger n\u00e5r der klikkes p\u00e5 elementer p\u00e5 visse sk\u00e6rme.", "LabelLockItemToPreventChanges": "L\u00e5s for at undg\u00e5 fremtidige \u00e6ndringer", - "LabelExternalPlayers": "Eksterne afspillere:", "MessageLeaveEmptyToInherit": "Efterlad tom for at arve indstillinger fra en overliggende post eller den globale standardv\u00e6rdi.", - "LabelExternalPlayersHelp": "Vis knapper til afspilning af indhold i eksterne afspillere. Dette er kun tilg\u00e6ngeligt p\u00e5 enheder der underst\u00f8tter URL skemaer, almindeligvis Android og iOS. Med eksterne afspillere er der generelt gen underst\u00f8ttelse for fjernstyring eller forts\u00e6ttelse.", - "ButtonUnlockGuide": "Opl\u00e5s guide", + "TabDonate": "Don\u00e9r", "HeaderDonationType": "Donationstype:", "OptionMakeOneTimeDonation": "Giv en enkeltst\u00e5ende donation", + "OptionOneTimeDescription": "Dette er en yderligere donation til holdet for at vise din st\u00f8tte. Det giver ikke nogen andre fordele og vil ikke udl\u00f8se en supporter n\u00f8gle.", + "OptionLifeTimeSupporterMembership": "Livstid supporter medlemskab", + "OptionYearlySupporterMembership": "\u00c5rligt supporter medlemskab", + "OptionMonthlySupporterMembership": "M\u00e5nedligt supporter medlemskab", "OptionNoTrailer": "Ingen trailer", "OptionNoThemeSong": "Ingen temasang", "OptionNoThemeVideo": "Ingen temavideo", "LabelOneTimeDonationAmount": "Donationsbel\u00f8b:", - "ButtonLearnMore": "L\u00e6r mere", - "ButtonLearnMoreAboutEmbyConnect": "L\u00e6r mere om Emby Connect", - "LabelNewUserNameHelp": "Brugernavne kan indeholde bogstaver (a-z), tal (0-9), bindestreg (-), apostrof (') og punktum (.)", - "OptionEnableExternalVideoPlayers": "Aktiver eksterne afspillere", - "HeaderOptionalLinkEmbyAccount": "Valgfrit: Forbind din Emby konto", - "LabelEnableInternetMetadataForTvPrograms": "Hent internet metadata for:", - "LabelCustomDeviceDisplayName": "Vist navn:", - "OptionTVMovies": "TV film", - "LabelCustomDeviceDisplayNameHelp": "Angiv en brugerdefineret navn. hvis der ikke angives et navn, bruges det navn enheden sender.", - "HeaderInviteUser": "Inviter bruger", - "HeaderUpcomingMovies": "Kommende film", - "HeaderInviteUserHelp": "At dele dine medier med venner er nemmere en nogensinde med Emby Connect.", - "ButtonSendInvitation": "Send invitation", - "HeaderGuests": "G\u00e6ster", - "HeaderUpcomingPrograms": "Kommende programmer", - "HeaderLocalUsers": "Lokale brugere", - "HeaderPendingInvitations": "Ventende invitationer", - "LabelShowLibraryTileNames": "Vis navne p\u00e5 fliser i biblioteket", - "LabelShowLibraryTileNamesHelp": "Afg\u00f8r om der vises navn under hver flise p\u00e5 hjemmesiden", - "TitleDevices": "Enheder", - "TabCameraUpload": "Kamera upload", - "HeaderCameraUploadHelp": "Upload automatisk fotos og videoer optaget med din enhed til Emby.", - "TabPhotos": "Fotos", - "HeaderSchedule": "Skema", - "MessageNoDevicesSupportCameraUpload": "Du har for \u00f8jeblikket ingen enheder der underst\u00f8tter kamera upload.", - "OptionEveryday": "Hver dag", - "LabelCameraUploadPath": "Kamera upload sti:", - "OptionWeekdays": "Hverdage", - "LabelCameraUploadPathHelp": "Angiv en brugerdefineret upload sti om \u00f8nsket. Hvis der angives en sti, skal den ogs\u00e5 tilf\u00f8jes i biblioteksops\u00e6tningen. Hvis der ikke angives en sti, vil der blive brugt en standardmappe.", - "OptionWeekends": "Weekender", - "LabelCreateCameraUploadSubfolder": "Skab en undermappe for hver enhed", - "MessageProfileInfoSynced": "Brugerprofil synkroniseret med Emby Connect", - "LabelCreateCameraUploadSubfolderHelp": "Bestemte mapper kan tildeles til enheden, hvis der klikkes p\u00e5 den p\u00e5 enhedssiden.", - "TabVideos": "Videoer", - "ButtonTrailerReel": "Trailer rulle", - "HeaderTrailerReel": "Trailer rulle", - "OptionPlayUnwatchedTrailersOnly": "Afspil kun ikke sete trailere", - "HeaderTrailerReelHelp": "Start en trailer rulle for at afspille en lang afspilningsliste med forfilm.", - "TabDevices": "Enheder", - "MessageNoTrailersFound": "Ingen trailere fundet. Installer Trailer kanalen for at tilf\u00f8je et bibliotek med trailere fra internettet.", - "HeaderWelcomeToEmby": "Velkommen til Emby", - "OptionAllowSyncContent": "Tillad Sync", - "LabelDateAddedBehavior": "Dato tilf\u00f8jet opf\u00f8rsel for nyt indhold:", - "HeaderLibraryAccess": "Adgang til biblioteker", - "OptionDateAddedImportTime": "Brug datoen for indskanning", - "EmbyIntroMessage": "Med Emby kan du nemt streame videoer, musik og fotos til din smartphone, tablet eller andre enheder.", - "HeaderChannelAccess": "Adgang til kanaler", - "LabelEnableSingleImageInDidlLimit": "Begr\u00e6ns til et enkelt indlejret billede", - "OptionDateAddedFileTime": "Brug filen oprettelsesdato", - "HeaderLatestItems": "Seneste", - "LabelEnableSingleImageInDidlLimitHelp": "Nogle enheder viser ikke rigtigt, hvis der er flere indlejrede billeder i DIDL.", - "LabelDateAddedBehaviorHelp": "Hvis der findes en metadata-v\u00e6rdi, vil den altid blive brugt f\u00f8r nogle af ovenst\u00e5ende muligheder.", - "LabelSelectLastestItemsFolders": "Inkluder medier fra disse sektioner til seneste", - "LabelNumberTrailerToPlay": "Antal trailere, der skal afspilles:", - "ButtonSkip": "Spring over", - "OptionAllowAudioPlaybackTranscoding": "Tillad lydafspilning der kr\u00e6ver transkodning", - "OptionAllowVideoPlaybackTranscoding": "Tillad videoafspilning der kr\u00e6ver transkodning", - "NameSeasonUnknown": "Ukendt s\u00e6son", - "NameSeasonNumber": "S\u00e6son {0}", - "TextConnectToServerManually": "Forbind til en server manuelt", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Undertekstprofil", - "LabelRemoteClientBitrateLimit": "Fjernklient birate gr\u00e6nse (Mbps):", - "HeaderSubtitleProfiles": "Undertekstprofiler", - "OptionDisableUserPreferences": "Fjern adgang til brugerindstillinger", - "HeaderSubtitleProfilesHelp": "Undertekstprofiler beskriver hvilke undertekstformater der unders\u00f8ttes af enheden.", - "OptionDisableUserPreferencesHelp": "Hvis dette er aktiveret, er det kun administratorer der kan \u00e6ndre brugerbilleder, adgangskoder og sprogpr\u00e6ferencer.", - "LabelFormat": "Format:", - "HeaderSelectServer": "V\u00e6lg server", - "ButtonConnect": "Forbind", - "LabelRemoteClientBitrateLimitHelp": "En valgfri streaming bitrate gr\u00e6nse for alle fjernklienter. Dette kan bruges til at forhindre fjernklienter i at bede om en h\u00f8jere bitrate end din forbindelse kan klare.", - "LabelMethod": "Metode:", - "MessageNoServersAvailableToConnect": "Der er ingen servere, der kan forbindes til. Hvis du er blevet inviteret til at dele en server, skal du acceptere nedenfor eller klikke p\u00e5 linket i e-mailen.", - "LabelDidlMode": "DIDL tilstand:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Log ind med Emby Connect", - "OptionEmbedSubtitles": "Inlejr i containeren", - "OptionExternallyDownloaded": "Ekstern hentning", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Enkelte brugere kan frav\u00e6lge biograftilstand i deres personlige indstillinger.", - "OptionOneTimeDescription": "Dette er en yderligere donation til holdet for at vise din st\u00f8tte. Det giver ikke nogen andre fordele og vil ikke udl\u00f8se en supporter n\u00f8gle.", - "OptionHlsSegmentedSubtitles": "Hls segmented undertekster", - "LabelEnableCinemaMode": "Aktiver biograftilstand", + "ButtonDonate": "Don\u00e9r", + "ButtonPurchase": "K\u00f8b", + "OptionActor": "Skuespiller", + "OptionComposer": "Komponist", + "OptionDirector": "Instrukt\u00f8r", + "OptionGuestStar": "G\u00e6stestjerne", + "OptionProducer": "Producent", + "OptionWriter": "Forfatter", "LabelAirDays": "Sendedage:", - "HeaderCinemaMode": "Biograftilstand", "LabelAirTime": "Sendetid:", "HeaderMediaInfo": "Medieinformation", "HeaderPhotoInfo": "Fotoinformation", - "OptionAllowContentDownloading": "Tillad hentning af medier", - "LabelServerHostHelp": "F. eks: 192.168.1.100 eller https:\/\/myserver.com", - "TabDonate": "Don\u00e9r", - "OptionLifeTimeSupporterMembership": "Livstid supporter medlemskab", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "\u00c5rligt supporter medlemskab", - "LabelConversionCpuCoreLimit": "CPU kerne gr\u00e6nse:", - "OptionMonthlySupporterMembership": "M\u00e5nedligt supporter medlemskab", - "LabelConversionCpuCoreLimitHelp": "Begr\u00e6ns antallet af CPU kerner der bruges under synkroniseringskonvertering.", - "ButtonChangeServer": "Skift server", - "OptionEnableFullSpeedConversion": "Aktiver konvertering med fuld hastighed", - "OptionEnableFullSpeedConversionHelp": "Som standard udf\u00f8res synkronseringskonverteringer ved lav hastighed for at minimere ressourceforbrug.", - "HeaderConnectToServer": "Forbind til server", - "LabelBlockContentWithTags": "Bloker indhold med disse tags:", "HeaderInstall": "Installer", "LabelSelectVersionToInstall": "V\u00e6lg hvilken version der skal installeres:", "LinkSupporterMembership": "L\u00e6r om supporter medlemskab", "MessageSupporterPluginRequiresMembership": "Dette plugin kr\u00e6ver et aktivt supporter medlemskab efter den gratis 14-dages pr\u00f8veperiode.", "MessagePremiumPluginRequiresMembership": "For at k\u00f8be dette plugin kr\u00e6ves et aktivt supporter medlemskab efter den gratis 14-dages pr\u00f8veperiode.", "HeaderReviews": "Anmeldelser", - "LabelTagFilterMode": "Tilstand:", "HeaderDeveloperInfo": "Information om udvikleren", "HeaderRevisionHistory": "Revisionshistorik", "ButtonViewWebsite": "Bes\u00f8g hjemmeside", - "LabelTagFilterAllowModeHelp": "Hvis godkendte tags bliver brugt som en del af en meget forgrenet mappestruktur, kr\u00e6ver tagget indhold at parent mappen ogs\u00e5 tagges.", - "HeaderPlaylists": "Afspilningslister", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Aktiver neddrosling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Neddrosling vil automatisk justere hastigheden af transkodning for at minimere serverens CPU brug under afspilning.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Skuespiller", - "ButtonDonate": "Don\u00e9r", - "TitleNewUser": "Ny bruger", - "OptionComposer": "Komponist", - "ButtonConfigurePassword": "Angiv adgangskode", - "OptionDirector": "Instrukt\u00f8r", - "HeaderDashboardUserPassword": "Brugeres adgangskoder administreres i hver bruges personlige indstillinger.", - "OptionGuestStar": "G\u00e6stestjerne", - "OptionProducer": "Producent", - "OptionWriter": "Forfatter", "HeaderXmlSettings": "XML indstillinger", "HeaderXmlDocumentAttributes": "XML dokumentattributter", - "ButtonSignInWithConnect": "Log ind med Emby Connect", "HeaderXmlDocumentAttribute": "XML dokumentattribut", "XmlDocumentAttributeListHelp": "Disse attributter bliver tilf\u00f8jet til rodelementet i alle XML svar.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Gem metadata og billeder som skjulte filer", - "HeaderNewServer": "Ny server", - "TabActivity": "Aktivitet", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Del mediemapper", - "MessageGuestSharingPermissionsHelp": "De fleste funktioner er indledningsvis utilg\u00e6ngelige for g\u00e6ster, men de kan sl\u00e5s til efter behov.", - "HeaderInvitations": "Invitationer", + "LabelExtractChaptersDuringLibraryScan": "Udtr\u00e6k kapitelbilleder under biblioteksskanning", + "LabelExtractChaptersDuringLibraryScanHelp": "Aktiver dette for at udtr\u00e6kke kapitelbillleder mens videofiler bliver importeret under biblioteksskanningen. Hvi det ikke er aktiveret, bliver de udtrukket n\u00e5r den planlagte opgave kapitelbilleder k\u00f8rer, og lader den almindelige biblioteksskanning afslutte hurtigere.", + "LabelConnectGuestUserName": "Hans\/hendes Emby brugernavn eller e-mailadresse:", + "LabelConnectUserName": "Emby brugernavn\/e-mail:", + "LabelConnectUserNameHelp": "Forbind denne bruger til en Emby konto for at tillade nem adgang fra enhver Emby app uden at skulle kende serverens IP-adresse.", + "ButtonLearnMoreAboutEmbyConnect": "L\u00e6r mere om Emby Connect", + "LabelExternalPlayers": "Eksterne afspillere:", + "LabelExternalPlayersHelp": "Vis knapper til afspilning af indhold i eksterne afspillere. Dette er kun tilg\u00e6ngeligt p\u00e5 enheder der underst\u00f8tter URL skemaer, almindeligvis Android og iOS. Med eksterne afspillere er der generelt gen underst\u00f8ttelse for fjernstyring eller forts\u00e6ttelse.", + "LabelNativeExternalPlayersHelp": "Hvis knapper til at afspille indhold i eksterne afspillere.", + "LabelEnableItemPreviews": "Aktiver forh\u00e5ndsvisning af elementer", + "LabelEnableItemPreviewsHelp": "Hvis aktiveret vil der blive vist glidende forh\u00e5ndsvisninger n\u00e5r der klikkes p\u00e5 elementer p\u00e5 visse sk\u00e6rme.", + "HeaderSubtitleProfile": "Undertekstprofil", + "HeaderSubtitleProfiles": "Undertekstprofiler", + "HeaderSubtitleProfilesHelp": "Undertekstprofiler beskriver hvilke undertekstformater der unders\u00f8ttes af enheden.", + "LabelFormat": "Format:", + "LabelMethod": "Metode:", + "LabelDidlMode": "DIDL tilstand:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "Inlejr i containeren", + "OptionExternallyDownloaded": "Ekstern hentning", + "OptionHlsSegmentedSubtitles": "Hls segmented undertekster", "LabelSubtitleFormatHelp": "F. eks: srt", + "ButtonLearnMore": "L\u00e6r mere", + "TabPlayback": "Afspilning", "HeaderLanguagePreferences": "Sprogpr\u00e6ferencer", "TabCinemaMode": "Biograftilstand", "TitlePlayback": "Afspilning", "LabelEnableCinemaModeFor": "Aktiver biograftilstand for:", "CinemaModeConfigurationHelp": "Biograftilstand giver dig biografoplevelsen direkte ind i din stue, med muligheden for at vise trailere og brugerdefinerede introduktioner f\u00f8r hovedfilmen.", - "LabelExtractChaptersDuringLibraryScan": "Udtr\u00e6k kapitelbilleder under biblioteksskanning", - "OptionReportList": "Liste visning", "OptionTrailersFromMyMovies": "Brug trailere fra film i mit bibliotek", "OptionUpcomingMoviesInTheaters": "Brug trailere for nye og kommende film", - "LabelExtractChaptersDuringLibraryScanHelp": "Aktiver dette for at udtr\u00e6kke kapitelbillleder mens videofiler bliver importeret under biblioteksskanningen. Hvi det ikke er aktiveret, bliver de udtrukket n\u00e5r den planlagte opgave kapitelbilleder k\u00f8rer, og lader den almindelige biblioteksskanning afslutte hurtigere.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Disse funktioner kr\u00e6ver et aktivt supporter medlemskab", "LabelLimitIntrosToUnwatchedContent": "Brug kun trailere for ikke sete film", - "OptionReportStatistics": "Statistik", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailere:", "LabelEnableIntroParentalControl": "Aktiver smart for\u00e6ldrekontrol", - "OptionUpcomingDvdMovies": "Brug trailere for nye og kommende DVD'er og Blu-ray", "LabelEnableIntroParentalControlHelp": "Vis kun trailere med samme eller lavere aldersgr\u00e6nse end hovedfilmen.", - "HeaderThisUserIsCurrentlyDisabled": "Denne bruger er for \u00f8jeblikket deaktiveret.", - "OptionUpcomingStreamingMovies": "Brug trailere for nye og kommende film p\u00e5 Netflix", - "HeaderNewUsers": "Nye brugere", - "HeaderUpcomingSports": "Kommende sportsudsendelser", - "OptionReportGrouping": "Gruppering", - "LabelDisplayTrailersWithinMovieSuggestions": "Vis trailere mellem filmforslag", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Disse funktioner kr\u00e6ver et aktivt supporter medlemskab", "OptionTrailersFromMyMoviesHelp": "Kr\u00e6ver ops\u00e6tning af lokale trailere.", - "ButtonSignUp": "Tilmeld dig", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Kr\u00e6ver installation af Trailer kanalen.", "LabelCustomIntrosPath": "Sti til brugerdefinerede introduktioner:", - "MessageReenableUser": "Se nedenfor om genaktivering", "LabelCustomIntrosPathHelp": "En mappe med videofiler. En tilf\u00e6ldig video vil blive vist efter trailerne.", - "LabelUploadSpeedLimit": "Hastighedsgr\u00e6nse for upload (Mbps):", - "TabPlayback": "Afspilning", - "OptionAllowSyncTranscoding": "Tillad synkronisering der kr\u00e6ver transkodning", - "LabelConnectUserName": "Emby brugernavn\/e-mail:", - "LabelConnectUserNameHelp": "Forbind denne bruger til en Emby konto for at tillade nem adgang fra enhver Emby app uden at skulle kende serverens IP-adresse.", - "HeaderPlayback": "Medieafspilning", - "HeaderViewStyles": "Visningsstiler", - "TabJobs": "Opgaver", - "TabSyncJobs": "Sync opgaver", - "LabelSelectViewStyles": "Aktiver udvidet pr\u00e6sentation for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Brugere vil modtage en venlig besked n\u00e5r indhold ikke kan afspilles grundet ovenst\u00e5ende politikker.", - "LabelSelectViewStylesHelp": "Aktiver dette for at f\u00e5 visninger med kategorier som forslag, seneste, genrer, m.m. Hvis det ikke er aktiveret, bliver der vist almindelige mapper.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "K\u00f8b", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Glemt adgangskode", - "LabelConnectGuestUserName": "Hans\/hendes Emby brugernavn eller e-mailadresse:", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Internet trailere:", + "OptionUpcomingDvdMovies": "Brug trailere for nye og kommende DVD'er og Blu-ray", + "OptionUpcomingStreamingMovies": "Brug trailere for nye og kommende film p\u00e5 Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Vis trailere mellem filmforslag", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Kr\u00e6ver installation af Trailer kanalen.", + "CinemaModeConfigurationHelp2": "Enkelte brugere kan frav\u00e6lge biograftilstand i deres personlige indstillinger.", + "LabelEnableCinemaMode": "Aktiver biograftilstand", + "HeaderCinemaMode": "Biograftilstand", + "LabelDateAddedBehavior": "Dato tilf\u00f8jet opf\u00f8rsel for nyt indhold:", + "OptionDateAddedImportTime": "Brug datoen for indskanning", + "OptionDateAddedFileTime": "Brug filen oprettelsesdato", + "LabelDateAddedBehaviorHelp": "Hvis der findes en metadata-v\u00e6rdi, vil den altid blive brugt f\u00f8r nogle af ovenst\u00e5ende muligheder.", + "LabelNumberTrailerToPlay": "Antal trailere, der skal afspilles:", + "TitleDevices": "Enheder", + "TabCameraUpload": "Kamera upload", + "TabDevices": "Enheder", + "HeaderCameraUploadHelp": "Upload automatisk fotos og videoer optaget med din enhed til Emby.", + "MessageNoDevicesSupportCameraUpload": "Du har for \u00f8jeblikket ingen enheder der underst\u00f8tter kamera upload.", + "LabelCameraUploadPath": "Kamera upload sti:", + "LabelCameraUploadPathHelp": "Angiv en brugerdefineret upload sti om \u00f8nsket. Hvis der angives en sti, skal den ogs\u00e5 tilf\u00f8jes i biblioteksops\u00e6tningen. Hvis der ikke angives en sti, vil der blive brugt en standardmappe.", + "LabelCreateCameraUploadSubfolder": "Skab en undermappe for hver enhed", + "LabelCreateCameraUploadSubfolderHelp": "Bestemte mapper kan tildeles til enheden, hvis der klikkes p\u00e5 den p\u00e5 enhedssiden.", + "LabelCustomDeviceDisplayName": "Vist navn:", + "LabelCustomDeviceDisplayNameHelp": "Angiv en brugerdefineret navn. hvis der ikke angives et navn, bruges det navn enheden sender.", + "HeaderInviteUser": "Inviter bruger", "LabelConnectGuestUserNameHelp": "Dette er din vens brugernavn eller e-mailadresse der bruges til login p\u00e5 Embys hjemmeside.", + "HeaderInviteUserHelp": "At dele dine medier med venner er nemmere en nogensinde med Emby Connect.", + "ButtonSendInvitation": "Send invitation", + "HeaderSignInWithConnect": "Log ind med Emby Connect", + "HeaderGuests": "G\u00e6ster", + "HeaderLocalUsers": "Lokale brugere", + "HeaderPendingInvitations": "Ventende invitationer", + "TabParentalControl": "For\u00e6ldrekontrol", + "HeaderAccessSchedule": "Adgangsskema", + "HeaderAccessScheduleHelp": "Skab et adgangsskema for at begr\u00e6nse adgangen til bestemte tidsrum.", + "ButtonAddSchedule": "Tilf\u00f8j skema", + "LabelAccessDay": "Ugedag:", + "LabelAccessStart": "Starttid:", + "LabelAccessEnd": "Sluttid:", + "HeaderSchedule": "Skema", + "OptionEveryday": "Hver dag", + "OptionWeekdays": "Hverdage", + "OptionWeekends": "Weekender", + "MessageProfileInfoSynced": "Brugerprofil synkroniseret med Emby Connect", + "HeaderOptionalLinkEmbyAccount": "Valgfrit: Forbind din Emby konto", + "ButtonTrailerReel": "Trailer rulle", + "HeaderTrailerReel": "Trailer rulle", + "OptionPlayUnwatchedTrailersOnly": "Afspil kun ikke sete trailere", + "HeaderTrailerReelHelp": "Start en trailer rulle for at afspille en lang afspilningsliste med forfilm.", + "MessageNoTrailersFound": "Ingen trailere fundet. Installer Trailer kanalen for at tilf\u00f8je et bibliotek med trailere fra internettet.", + "HeaderNewUsers": "Nye brugere", + "ButtonSignUp": "Tilmeld dig", "ButtonForgotPassword": "Glemt adgangskode", + "OptionDisableUserPreferences": "Fjern adgang til brugerindstillinger", + "OptionDisableUserPreferencesHelp": "Hvis dette er aktiveret, er det kun administratorer der kan \u00e6ndre brugerbilleder, adgangskoder og sprogpr\u00e6ferencer.", + "HeaderSelectServer": "V\u00e6lg server", + "MessageNoServersAvailableToConnect": "Der er ingen servere, der kan forbindes til. Hvis du er blevet inviteret til at dele en server, skal du acceptere nedenfor eller klikke p\u00e5 linket i e-mailen.", + "TitleNewUser": "Ny bruger", + "ButtonConfigurePassword": "Angiv adgangskode", + "HeaderDashboardUserPassword": "Brugeres adgangskoder administreres i hver bruges personlige indstillinger.", + "HeaderLibraryAccess": "Adgang til biblioteker", + "HeaderChannelAccess": "Adgang til kanaler", + "HeaderLatestItems": "Seneste", + "LabelSelectLastestItemsFolders": "Inkluder medier fra disse sektioner til seneste", + "HeaderShareMediaFolders": "Del mediemapper", + "MessageGuestSharingPermissionsHelp": "De fleste funktioner er indledningsvis utilg\u00e6ngelige for g\u00e6ster, men de kan sl\u00e5s til efter behov.", + "HeaderInvitations": "Invitationer", "LabelForgotPasswordUsernameHelp": "Indtast dit brugernavn, hvis du kan huske det.", + "HeaderForgotPassword": "Glemt adgangskode", "TitleForgotPassword": "Glemt adgangskode", "TitlePasswordReset": "Nulstil adgangskode", - "TabParentalControl": "For\u00e6ldrekontrol", "LabelPasswordRecoveryPinCode": "Pinkode", - "HeaderAccessSchedule": "Adgangsskema", "HeaderPasswordReset": "Nulstil adgangskode", - "HeaderAccessScheduleHelp": "Skab et adgangsskema for at begr\u00e6nse adgangen til bestemte tidsrum.", "HeaderParentalRatings": "Aldersgr\u00e6nser", - "ButtonAddSchedule": "Tilf\u00f8j skema", "HeaderVideoTypes": "Videotyper", - "LabelAccessDay": "Ugedag:", "HeaderYears": "\u00c5r", - "LabelAccessStart": "Starttid:", - "LabelAccessEnd": "Sluttid:", - "LabelDvdSeasonNumber": "DVD s\u00e6sonnummer", + "HeaderAddTag": "Tilf\u00f8j tag", + "LabelBlockContentWithTags": "Bloker indhold med disse tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Begr\u00e6ns til et enkelt indlejret billede", + "LabelEnableSingleImageInDidlLimitHelp": "Nogle enheder viser ikke rigtigt, hvis der er flere indlejrede billeder i DIDL.", + "TabActivity": "Aktivitet", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Tillad Sync", + "OptionAllowContentDownloading": "Tillad hentning af medier", + "NameSeasonUnknown": "Ukendt s\u00e6son", + "NameSeasonNumber": "S\u00e6son {0}", + "LabelNewUserNameHelp": "Brugernavne kan indeholde bogstaver (a-z), tal (0-9), bindestreg (-), apostrof (') og punktum (.)", + "TabJobs": "Opgaver", + "TabSyncJobs": "Sync opgaver", + "LabelTagFilterMode": "Tilstand:", + "LabelTagFilterAllowModeHelp": "Hvis godkendte tags bliver brugt som en del af en meget forgrenet mappestruktur, kr\u00e6ver tagget indhold at parent mappen ogs\u00e5 tagges.", + "HeaderThisUserIsCurrentlyDisabled": "Denne bruger er for \u00f8jeblikket deaktiveret.", + "MessageReenableUser": "Se nedenfor om genaktivering", + "LabelEnableInternetMetadataForTvPrograms": "Hent internet metadata for:", + "OptionTVMovies": "TV film", + "HeaderUpcomingMovies": "Kommende film", + "HeaderUpcomingSports": "Kommende sportsudsendelser", + "HeaderUpcomingPrograms": "Kommende programmer", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Vis navne p\u00e5 fliser i biblioteket", + "LabelShowLibraryTileNamesHelp": "Afg\u00f8r om der vises navn under hver flise p\u00e5 hjemmesiden", + "OptionEnableTranscodingThrottle": "Aktiver neddrosling", + "OptionEnableTranscodingThrottleHelp": "Neddrosling vil automatisk justere hastigheden af transkodning for at minimere serverens CPU brug under afspilning.", + "LabelUploadSpeedLimit": "Hastighedsgr\u00e6nse for upload (Mbps):", + "OptionAllowSyncTranscoding": "Tillad synkronisering der kr\u00e6ver transkodning", + "HeaderPlayback": "Medieafspilning", + "OptionAllowAudioPlaybackTranscoding": "Tillad lydafspilning der kr\u00e6ver transkodning", + "OptionAllowVideoPlaybackTranscoding": "Tillad videoafspilning der kr\u00e6ver transkodning", + "OptionAllowMediaPlaybackTranscodingHelp": "Brugere vil modtage en venlig besked n\u00e5r indhold ikke kan afspilles grundet ovenst\u00e5ende politikker.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Fjernklient birate gr\u00e6nse (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "En valgfri streaming bitrate gr\u00e6nse for alle fjernklienter. Dette kan bruges til at forhindre fjernklienter i at bede om en h\u00f8jere bitrate end din forbindelse kan klare.", + "LabelConversionCpuCoreLimit": "CPU kerne gr\u00e6nse:", + "LabelConversionCpuCoreLimitHelp": "Begr\u00e6ns antallet af CPU kerner der bruges under synkroniseringskonvertering.", + "OptionEnableFullSpeedConversion": "Aktiver konvertering med fuld hastighed", + "OptionEnableFullSpeedConversionHelp": "Som standard udf\u00f8res synkronseringskonverteringer ved lav hastighed for at minimere ressourceforbrug.", + "HeaderPlaylists": "Afspilningslister", + "HeaderViewStyles": "Visningsstiler", + "LabelSelectViewStyles": "Aktiver udvidet pr\u00e6sentation for:", + "LabelSelectViewStylesHelp": "Aktiver dette for at f\u00e5 visninger med kategorier som forslag, seneste, genrer, m.m. Hvis det ikke er aktiveret, bliver der vist almindelige mapper.", + "TabPhotos": "Fotos", + "TabVideos": "Videoer", + "HeaderWelcomeToEmby": "Velkommen til Emby", + "EmbyIntroMessage": "Med Emby kan du nemt streame videoer, musik og fotos til din smartphone, tablet eller andre enheder.", + "ButtonSkip": "Spring over", + "TextConnectToServerManually": "Forbind til en server manuelt", + "ButtonSignInWithConnect": "Log ind med Emby Connect", + "ButtonConnect": "Forbind", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "F. eks: 192.168.1.100 eller https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "Ny server", + "ButtonChangeServer": "Skift server", + "HeaderConnectToServer": "Forbind til server", + "OptionReportList": "Liste visning", + "OptionReportStatistics": "Statistik", + "OptionReportGrouping": "Gruppering", "HeaderExport": "Eksporter", - "LabelDvdEpisodeNumber": "DVD episodenummer:", - "LabelAbsoluteEpisodeNumber": "Absolut episodenummer:", - "LabelAirsBeforeSeason": "Sendes f\u00f8r s\u00e6son:", "HeaderColumns": "S\u00f8jler", - "LabelAirsAfterSeason": "Sendes efter s\u00e6son:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Aktiver eksterne afspillere", + "ButtonUnlockGuide": "Opl\u00e5s guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 05a8d94939..592b80fd82 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/de.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/de.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Willkommen bei Emby!", - "LabelImageSavingConvention": "Speicherconvention der Bilddatein:", - "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.", - "HeaderNewCollection": "Neue Collection", - "LabelImageSavingConventionHelp": "Emby erkennt Bilder von den meisten bekannten Media-Anwendungen. Eine Auswahl des Download-Formates ist sinnvoll wenn Sie auch andere Produkte verwenden.", - "OptionImageSavingCompatible": "Kompatibel - Emby\/ Kodi\/ Plex", - "LinkedToEmbyConnect": "Verbunden mit Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Kreieren", - "ButtonSignIn": "Einloggen", - "LiveTvPluginRequired": "Ein Live-TV Serviceproviderplugin ist notwendig um fortzufahren.", - "TitleSignIn": "Einloggen", - "LiveTvPluginRequiredHelp": "Bitte installiere eines der verf\u00fcgbaren Plugins, wie z.B. Next Pvr oder ServerWmc.", - "LabelWebSocketPortNumber": "Web Socket Port Nummer:", - "ProjectHasCommunity": "Emby hat eine wachsende Community von Benutzern und Unterst\u00fctzern.", - "HeaderPleaseSignIn": "Bitte einloggen", - "LabelUser": "Benutzer:", - "LabelExternalDDNS": "Externe WAN Adresse:", - "TabOther": "Andere", - "LabelPassword": "Passwort:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "Wenn Sie einen dynamischen DNS verwenden, geben Sie diesen hier ein. Emby Apps werden diese bei Internetverbindungen automatisch verwenden. Lassen Sie dieses Feld f\u00fcr eine automatische Erkennung leer.", - "VisitProjectWebsite": "Beuchen Sie die Emby Website", - "ButtonManualLogin": "Manuelle Anmeldung", - "OptionDownloadMenuImage": "Men\u00fc", - "TabResume": "Fortsetzen", - "PasswordLocalhostMessage": "Passw\u00f6rter werden nicht gebraucht, wenn du dich vom Localhost aus einloggst.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Wetter", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Einstellungen", - "ButtonDeleteImage": "L\u00f6sche Bild", - "VisitProjectWebsiteLong": "Besuchen Sie die Emby Website f\u00fcr aktuelle Informationen und bleiben Sie auf dem letzten Stand mit dem Entwickler Blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Minimale Prozent f\u00fcr Wiederaufnahme:", - "ButtonUpload": "Hochladen", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Maximale Prozent f\u00fcr Wiederaufnahme:", - "HeaderUploadNewImage": "Neues Bild hochladen", - "OptionDownloadBackImage": "Zur\u00fcck", - "LabelMinResumeDuration": "Minimale Dauer f\u00fcr Wiederaufnahme (Sekunden):", - "OptionHideWatchedContentFromLatestMedia": "Verberge gesehene Inhalte von zuletzt hinzugef\u00fcgten.", - "LabelDropImageHere": "Fotos hierher ziehen", - "OptionDownloadArtImage": "Kunst", - "LabelMinResumePercentageHelp": "Titel werden als \"nicht abgespielt\" eingetragen, wenn sie vor dieser Zeit gestoppt werden", - "ImageUploadAspectRatioHelp": "1:1 Seitenverh\u00e4ltnis empfohlen. Nur JPG\/PNG.", - "OptionDownloadPrimaryImage": "Prim\u00e4r", - "LabelMaxResumePercentageHelp": "Titel werden als \"vollst\u00e4ndig abgespielt\" eingetragen, wenn sie nach dieser Zeit gestoppt werden", - "MessageNothingHere": "Nichts hier.", - "HeaderFetchImages": "Bilder abrufen:", - "LabelMinResumeDurationHelp": "Titel die k\u00fcrzer als dieser Wert sind, werden nicht fortsetzbar sein", - "TabSuggestions": "Empfehlungen", - "MessagePleaseEnsureInternetMetadata": "Bitte sicherstellen, dass das Herunterladen von Internet Metadaten aktiviert ist.", - "HeaderImageSettings": "Bild Einstellungen", - "TabSuggested": "Vorgeschlagen", - "LabelMaxBackdropsPerItem": "Maximale Anzahl von Hintergr\u00fcnden pro Element:", - "TabLatest": "Neueste", - "LabelMaxScreenshotsPerItem": "Maximale Anzahl von Screenshots pro Element:", - "TabUpcoming": "Bevorstehend", - "LabelMinBackdropDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Hintergr\u00fcnde:", - "TabShows": "Serien", - "LabelMinScreenshotDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Screenshot:", - "TabEpisodes": "Episoden", - "ButtonAddScheduledTaskTrigger": "Ausl\u00f6ser hinzuf\u00fcgen", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Ausl\u00f6ser hinzuf\u00fcgen", - "TabPeople": "Personen", - "ButtonAdd": "Hinzuf\u00fcgen", - "TabNetworks": "Sendergruppen", - "LabelTriggerType": "Ausl\u00f6ser Typ:", - "OptionDaily": "T\u00e4glich", - "OptionWeekly": "W\u00f6chentlich", - "OptionOnInterval": "Nach einem Intervall", - "OptionOnAppStartup": "Bei Anwendungsstart", - "ButtonHelp": "Hilfe", - "OptionAfterSystemEvent": "Nach einem Systemereignis", - "LabelDay": "Tag:", - "LabelTime": "Zeit:", - "OptionRelease": "Offizielles Release", - "LabelEvent": "Ereignis:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Aufwachen nach dem Schlafen", - "ButtonInviteUser": "Lade Benutzer ein", - "OptionDev": "Entwickler (instabil)", - "LabelEveryXMinutes": "Alle:", - "HeaderTvTuners": "Tuner", - "CategorySync": "Synchronisieren", - "HeaderGallery": "Gallerie", - "HeaderLatestGames": "Neueste Spiele", - "RegisterWithPayPal": "Registrieren mit PayPal", - "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", + "LabelExit": "Beenden", + "LabelVisitCommunity": "Besuche die Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Dokumentation", - "Option2Player": "2+", "LabelDeveloperResources": "Entwickler Ressourcen", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Medienverzeichnisse", - "HeaderThemeVideos": "Titelvideos", - "HeaderThemeSongs": "Titelsongs", - "HeaderScenes": "Szenen", - "HeaderAwardsAndReviews": "Auszeichnungen und Bewertungen", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Musikvideos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Bibliothek durchsuchen", + "LabelConfigureServer": "Konfiguriere Emby", + "LabelOpenLibraryViewer": "\u00d6ffne Bibliothekenansicht", + "LabelRestartServer": "Server neustarten", + "LabelShowLogWindow": "Zeige Log Fenster", + "LabelPrevious": "Vorheriges", + "LabelFinish": "Fertig", + "FolderTypeMixed": "Mixed content", + "LabelNext": "N\u00e4chstes", + "LabelYoureDone": "Du bist fertig!", + "WelcomeToProject": "Willkommen bei Emby!", + "ThisWizardWillGuideYou": "Dieser Assistent wird dich durch den Einrichtungsprozess f\u00fchren. Um zu beginnen, w\u00e4hle bitte deine bevorzugte Sprache.", + "TellUsAboutYourself": "Sag uns etwas \u00fcber dich selbst", + "ButtonQuickStartGuide": "Schnellstart Instruktionen", + "LabelYourFirstName": "Vorname:", + "MoreUsersCanBeAddedLater": "Weitere Benutzer k\u00f6nnen sp\u00e4ter \u00fcber die Optionsleiste hinzugef\u00fcgt werden.", + "UserProfilesIntro": "Emby bietet von Haus aus Unterst\u00fctzung von Benutzerprofilen, die ihre eigenen Ansichten, Altersfreigaben und Spielst\u00e4nde von Medien kontrollieren k\u00f6nnen.", + "LabelWindowsService": "Windows-Dienst", + "AWindowsServiceHasBeenInstalled": "Ein Windows Dienst wurde installiert.", + "WindowsServiceIntro1": "Emby Server l\u00e4uft normalerweise als Desktop-Anwendung mit einem Icon in der Anwendungsanzeige. Wenn Sie es lieber als Hintergrunddienst starten m\u00f6chten, so k\u00f6nnen Sie den Server \u00fcber die Windows Dienste starten.", + "WindowsServiceIntro2": "Der Dienst kann nicht zu gleichen Zeit wie die Desktop Anwendung laufen. Schlie\u00dfe daher die Desktop Anwendung bevor du den Dienst startest. Der Dienst ben\u00f6tigt administrative Rechte, die du \u00fcber die Systemsteuerung einstellen musst. Beachte bitte auch, dass der Dienst zur Zeit nicht automatisch aktualisiert wird. Neue Versionen m\u00fcssen daher manuell installiert werden.", + "WizardCompleted": "Das ist alles was wir bis jetzt brauchen. Emby hat nun angefangen Informationen \u00fcber Ihre Medienbibliothek zu sammeln. Schauen Sie sich ein paar unserer Apps an, dann Klicken Sie auf Fertig<\/b> um das Server Dashboard<\/b> anzuzeigen.", + "LabelConfigureSettings": "Konfiguriere Einstellungen", + "LabelEnableVideoImageExtraction": "Aktiviere Videobild-Extrahierung", + "VideoImageExtractionHelp": "F\u00fcr Videos die noch keinen Bilder haben, und f\u00fcr die wir keine Internetbilder finden k\u00f6nnen. Hierdurch wird der erste Bibliotheken scan etwas mehr Zeit beanspruchen, f\u00fchrt aber zu einer ansprechenderen Pr\u00e4sentation.", + "LabelEnableChapterImageExtractionForMovies": "Extrahiere Kapitelbilder f\u00fcr Filme", + "LabelChapterImageExtractionForMoviesHelp": "Das Extrahieren von Kapitel-Bildern erm\u00f6glicht es den Clients eine grafische Szenenauswahl anzubieten. Das Erstellen ist recht langsam, rechenintensiv und erfordert einige Gigabyte an freien Speicherplatz. Diese Aufgabe startet jede Nacht, das kann aber in den geplanten Aufgaben ge\u00e4ndert werden. Es wird nicht empfohlen diese Aufgabe in Zeiten hoher Server-Auslastung zu starten.", + "LabelEnableAutomaticPortMapping": "Aktiviere automatische Portweiterleitung", + "LabelEnableAutomaticPortMappingHelp": "UPnP erm\u00f6glicht die automatische Routerkonfiguration f\u00fcr den einfachen Remote-Zugriff. Diese Option ist nicht f\u00fcr jeden Router verf\u00fcgbar.", + "HeaderTermsOfService": "Emby Nutzungsbedingungen", + "MessagePleaseAcceptTermsOfService": "Bitte akzeptieren Sie die Nutzungsbedingungen & Datenschutzbestimmungen bevor Sie fortfahren.", + "OptionIAcceptTermsOfService": "Ich akzeptiere die Nutzungsbedingungen.", + "ButtonPrivacyPolicy": "Datenschutzbestimmungen", + "ButtonTermsOfService": "Nutzungsbedingungen", "HeaderDeveloperOptions": "Entwickleroptionen", - "HeaderCastCrew": "Besetzung & Crew", - "LabelLocalHttpServerPortNumber": "Lokale HTTP Portnummer:", - "HeaderAdditionalParts": "Zus\u00e4tzliche Teile", "OptionEnableWebClientResponseCache": "Aktiviere die Antwortzwischenspeicherung des Web Clients", - "LabelLocalHttpServerPortNumberHelp": "Die TCP Port Nummer, auf die der Emby http Server h\u00f6rt.", - "ButtonSplitVersionsApart": "Spalte Versionen ab", - "LabelSyncTempPath": "Verzeichnis f\u00fcr tempor\u00e4re Dateien", "OptionDisableForDevelopmentHelp": "Konfiguriere diese Einstellungen f\u00fcr die ben\u00f6tigten Entwicklungszwecke des Web Clients.", - "LabelMissing": "Fehlend", - "LabelSyncTempPathHelp": "Legen Sie ein eigenes Synchronisations-Arbeits Verzeichnis fest. Konvertierte Medien werden w\u00e4hrend der Synchronisation hier gespeichert.", - "LabelEnableAutomaticPortMap": "Aktiviere das automatische Port-Mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Aktiviere die Ressourcenminimierung des Web Clients", - "LabelEnableAutomaticPortMapHelp": "Versuche automatisch den \u00f6ffentlichen Port dem lokalen Port mit Hilfe von UPnP zuzuordnen. Dies kann mit einigen Router-Modellen nicht funktionieren.", - "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.", - "LabelCustomCertificatePath": "Eigener Zertifikats Ordner:", - "HeaderFrom": "Von", "LabelDashboardSourcePath": "Web Client Sourcepfad:", - "HeaderTo": "Nach", - "LabelCustomCertificatePathHelp": "F\u00fcgen Sie ihr eigenes SSL Zertifikat als .pfx Datei hinzu. Wenn ausgelassen, wird der Server ein selbst signiertes Zertifikat f\u00fcr Sie erstellen.", - "LabelFrom": "Von:", "LabelDashboardSourcePathHelp": "Spezifiziere den Pfad zum Dashboard-UI-Verzeichniss, falls der Server von der Source ausgef\u00fchrt wird. Alle Web-Client-Dateien werden von diesem Pfad aus bedient werden.", - "LabelFromHelp": "Beispiel: D:\\Movies (auf dem Server)", - "ButtonAddToCollection": "Zu Sammlung hinzuf\u00fcgen", - "LabelTo": "Nach:", + "ButtonConvertMedia": "Konvertiere Medien", + "ButtonOrganize": "Organisieren", + "LinkedToEmbyConnect": "Verbunden mit Emby Connect", + "HeaderSupporterBenefits": "Unterst\u00fctzer Vorteile", + "HeaderAddUser": "Benutzer hinzuf\u00fcgen", + "LabelAddConnectSupporterHelp": "Um einen Benutzer hinzuzuf\u00fcgen, der nicht angezeigt wird, m\u00fcssen Sie diesen erst mit Emby Connect von seinem Benutzerprofil verbinden.", + "LabelPinCode": "PIN Code:", + "OptionHideWatchedContentFromLatestMedia": "Verberge gesehene Inhalte von zuletzt hinzugef\u00fcgten.", + "HeaderSync": "Synchronisiere", + "ButtonOk": "Ok", + "ButtonCancel": "Abbrechen", + "ButtonExit": "Exit", + "ButtonNew": "Neu", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Pfade", - "LabelToHelp": "Beispiel: \\\\MyServer\\Movies (Ein Pfad, auf den die Clients zugreifen k\u00f6nnen)", - "ButtonAddPathSubstitution": "F\u00fcge Ersetzung hinzu", + "CategorySync": "Synchronisieren", + "TabPlaylist": "Wiedergabeliste", + "HeaderEasyPinCode": "Einfacher PIN Code", + "HeaderGrownupsOnly": "Nur Erwachsene!", + "DividerOr": "-- oder --", + "HeaderInstalledServices": "Installierte Dienste", + "HeaderAvailableServices": "Verf\u00fcgbare Dienste", + "MessageNoServicesInstalled": "Keine Dienste installiert.", + "HeaderToAccessPleaseEnterEasyPinCode": "Bitte geben Sie Ihren vereinfachten PIN Code ein:", + "KidsModeAdultInstruction": "Verwenden Sie das Schloss-Symbol in der rechten oberen Ecke um den Kindermodus zu verlassen oder zu konfigurieren. Sie ben\u00f6tigen daf\u00fcr Ihren PIN Code.", + "ButtonConfigurePinCode": "PIN Code festlegen", + "HeaderAdultsReadHere": "Eltern, bitte lesen!", + "RegisterWithPayPal": "Registrieren mit PayPal", + "HeaderSyncRequiresSupporterMembership": "Synchronisation ben\u00f6tigt eine Supporter-Mitgliedschaft", + "HeaderEnjoyDayTrial": "Genie\u00dfen Sie eine 14 Tage Testversion", + "LabelSyncTempPath": "Verzeichnis f\u00fcr tempor\u00e4re Dateien", + "LabelSyncTempPathHelp": "Legen Sie ein eigenes Synchronisations-Arbeits Verzeichnis fest. Konvertierte Medien werden w\u00e4hrend der Synchronisation hier gespeichert.", + "LabelCustomCertificatePath": "Eigener Zertifikats Ordner:", + "LabelCustomCertificatePathHelp": "F\u00fcgen Sie ihr eigenes SSL Zertifikat als .pfx Datei hinzu. Wenn ausgelassen, wird der Server ein selbst signiertes Zertifikat f\u00fcr Sie erstellen.", "TitleNotifications": "Benachrichtigungen", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Fehlende Episoden", "ButtonDonateWithPayPal": "Spende mit PayPal", + "OptionDetectArchiveFilesAsMedia": "Behandle Archive wie Medien", + "OptionDetectArchiveFilesAsMediaHelp": "Wenn aktiviert werden .rar und .zip Datei-Erweiterungen wie Medien behandelt.", + "LabelEnterConnectUserName": "Benutzername oder Email:", + "LabelEnterConnectUserNameHelp": "Dies ist Ihr Emby online Zugangs Benutzername oder Passwort.", + "LabelEnableEnhancedMovies": "Aktiviere erweiterte Filmdarstellung.", + "LabelEnableEnhancedMoviesHelp": "Wenn aktiviert, werden Filme als Verzeichnisse dargestellt, welche Trailer, Extras, Besetzung & Crew sowie weitere Inhalte enth\u00e4lt.", + "HeaderSyncJobInfo": "Synchronisations-Aufgabe", + "FolderTypeMovies": "Filme", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Videos f\u00fcr Erwachsene", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Musikvideos", + "FolderTypeHomeVideos": "Heimvideos", + "FolderTypeGames": "Spiele", + "FolderTypeBooks": "B\u00fccher", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "\u00dcbernehmen", - "OptionUnairedEpisode": "Nicht ausgestrahlte Episoden", "LabelContentType": "Inhalte-Typ:", - "OptionEpisodeSortName": "Episodensortiername", "TitleScheduledTasks": "Geplante Aufgaben", - "OptionSeriesSortName": "Serien Name", + "HeaderSetupLibrary": "Medienbibliothek einrichten", + "ButtonAddMediaFolder": "Medienverzeichnis hinzuf\u00fcgen", + "LabelFolderType": "Verzeichnistyp:", + "ReferToMediaLibraryWiki": "Siehe die Medienbibliothek Wiki", + "LabelCountry": "Land:", + "LabelLanguage": "Sprache:", + "LabelTimeLimitHours": "Zeitlimit (Stunden):", + "ButtonJoinTheDevelopmentTeam": "Schlie\u00dfen Sie sich dem Entwickler-Team an", + "HeaderPreferredMetadataLanguage": "Bevorzugte Metadata Sprache:", + "LabelSaveLocalMetadata": "Speichere Bildmaterial und Metadaten in den Medienverzeichnissen", + "LabelSaveLocalMetadataHelp": "Durch die Speicherung von Bildmaterial und Metadaten direkt in den Medienverzeichnissen, befinden sich diese an einem Ort wo sie sehr leicht bearbeitet werden k\u00f6nnen.", + "LabelDownloadInternetMetadata": "Lade Bildmaterial und Metadaten aus dem Internet", + "LabelDownloadInternetMetadataHelp": "Emby Server kann Informationen \u00fcber Ihre Medien herunterladen um Anzeigen zu bereichern", + "TabPreferences": "Einstellungen", + "TabPassword": "Passwort", + "TabLibraryAccess": "Bibliothekenzugriff", + "TabAccess": "Zugang", + "TabImage": "Bild", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Bilder", "TabNotifications": "Benachrichtigungen", - "OptionTvdbRating": "Tvdb Bewertung", - "LinkApi": "API", - "HeaderTranscodingQualityPreference": "Transcoding Qualit\u00e4tseinstellung:", - "OptionAutomaticTranscodingHelp": "Der Server entscheidet \u00fcber Qualit\u00e4t und Geschwindigkeit.", - "LabelPublicHttpPort": "\u00d6ffentliche HTTP Portnummer:", - "OptionHighSpeedTranscodingHelp": "Niedrigere Qualit\u00e4t, aber schnelleres Encoden.", - "OptionHighQualityTranscodingHelp": "H\u00f6here Qualit\u00e4t, aber langsameres Encoden.", - "OptionPosterCard": "Poster Karte", - "LabelPublicHttpPortHelp": "Die \u00f6ffentliche Portnummer sollte einem lokalen HTTP Port zugewiesen werden.", - "OptionMaxQualityTranscodingHelp": "Beste Qualit\u00e4t bei langsamen Encoden und hoher CPU Last", - "OptionThumbCard": "Thumb Karte", - "OptionHighSpeedTranscoding": "H\u00f6here Geschwindigkeit", - "OptionAllowRemoteSharedDevices": "Erlaube Fernsteuerung geteilter Ger\u00e4te", - "LabelPublicHttpsPort": "\u00d6ffentliche HTTPS Portnummer:", - "OptionHighQualityTranscoding": "H\u00f6here Qualit\u00e4t", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-Ger\u00e4te werden gemeinsam genutzt, bis ein Benutzer die Steuerung \u00fcbernimmt.", - "OptionMaxQualityTranscoding": "Maximale Qualit\u00e4t", - "HeaderRemoteControl": "Fernsteuerung", - "LabelPublicHttpsPortHelp": "Die \u00f6ffentliche Portnummer sollte einem lokalen HTTPS Port zugewiesen werden.", - "OptionEnableDebugTranscodingLogging": "Aktiviere debug transcoding logging", + "TabCollectionTitles": "Titel", + "HeaderDeviceAccess": "Ger\u00e4te Zugang", + "OptionEnableAccessFromAllDevices": "Zugriff von allen Ger\u00e4ten erlauben", + "OptionEnableAccessToAllChannels": "Aktiviere Zugriff auf alle Kan\u00e4le", + "OptionEnableAccessToAllLibraries": "Erlaube Zugriff auf alle Bibliotheken", + "DeviceAccessHelp": "Dies wird nur auf Ger\u00e4te angewandt die eindeutig identifiziert werden k\u00f6nnen und verhindert nicht den Web-Zugriff. Gefilterter Zugriff auf Ger\u00e4te verhindert die Nutzung neuer Ger\u00e4te solange, bis der Zugriff f\u00fcr diese freigegeben wird.", + "LabelDisplayMissingEpisodesWithinSeasons": "Zeige fehlende Episoden innerhalb von Staffeln", + "LabelUnairedMissingEpisodesWithinSeasons": "Zeige noch nicht ausgestahlte Episoden innerhalb von Staffeln", + "HeaderVideoPlaybackSettings": "Videowiedergabe Einstellungen", + "HeaderPlaybackSettings": "Wiedergabe Einstellungen", + "LabelAudioLanguagePreference": "Audiosprache Einstellungen:", + "LabelSubtitleLanguagePreference": "Untertitelsprache Einstellungen:", "OptionDefaultSubtitles": "Standard", - "OptionEnableDebugTranscodingLoggingHelp": "Dies wird sehr lange Logdateien erzeugen und ist nur zur Fehlerbehebung empfehlenswert.", - "LabelEnableHttps": "Gebe HTTPS als externe Adresse aus", - "HeaderUsers": "Benutzer", "OptionOnlyForcedSubtitles": "Nur erzwungene Untertitel", - "HeaderFilters": "Filter:", "OptionAlwaysPlaySubtitles": "Untertitel immer anzeigen", - "LabelEnableHttpsHelp": "Wenn eingeschaltet, wird der Server eine https url als externe Adresse an alle Clients melden.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Keine Untertitel", "OptionDefaultSubtitlesHelp": "Untertitel die den Spracheinstellungen entsprechen werden nur bei einer Tonspur in fremder Sprache heruntergeladen.", - "OptionFavorite": "Favoriten", "OptionOnlyForcedSubtitlesHelp": "Nur Untertitel, die als erzwungener Download markiert wurden, werden heruntergeladen.", - "LabelHttpsPort": "Lokale HTTPS Portnummer:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Untertitel die den Spracheinstellungen entsprechen werden unabh\u00e4ngig von der Tonspur Sprache heruntergeladen.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Untertitel wird standardm\u00e4\u00dfig nicht geladen.", - "LabelHttpsPortHelp": "Die TCP Port-Nummer f\u00fcr sichere Emby https Verbindungen.", + "TabProfiles": "Profile", + "TabSecurity": "Sicherheit", + "ButtonAddUser": "User hinzuf\u00fcgen", + "ButtonAddLocalUser": "F\u00fcge lokalen Benutzer hinzu", + "ButtonInviteUser": "Lade Benutzer ein", + "ButtonSave": "Speichern", + "ButtonResetPassword": "Passwort zur\u00fccksetzten", + "LabelNewPassword": "Neues Passwort:", + "LabelNewPasswordConfirm": "Neues Passwort wiederhohlen:", + "HeaderCreatePassword": "Erstelle Passwort", + "LabelCurrentPassword": "Aktuelles Passwort:", + "LabelMaxParentalRating": "H\u00f6chste erlaubte elterlich Bewertung:", + "MaxParentalRatingHelp": "Inhalt mit einer h\u00f6heren Bewertung wird dem User nicht angezeigt.", + "LibraryAccessHelp": "W\u00e4hle die Medienverzeichnisse die du mit diesem Benutzer teilen m\u00f6chtest. Administratoren k\u00f6nnen den Metadaten-Manager verwenden um alle Ordner zu bearbeiten.", + "ChannelAccessHelp": "W\u00e4hle die Kan\u00e4le, die mit diesem Benutzer geteilt werden sollen. Administratoren sind in der Lage alle K\u00e4nale \u00fcber den Metadaten-Manager zu bearbeiten.", + "ButtonDeleteImage": "L\u00f6sche Bild", + "LabelSelectUsers": "W\u00e4hle Benutzer:", + "ButtonUpload": "Hochladen", + "HeaderUploadNewImage": "Neues Bild hochladen", + "LabelDropImageHere": "Fotos hierher ziehen", + "ImageUploadAspectRatioHelp": "1:1 Seitenverh\u00e4ltnis empfohlen. Nur JPG\/PNG.", + "MessageNothingHere": "Nichts hier.", + "MessagePleaseEnsureInternetMetadata": "Bitte sicherstellen, dass das Herunterladen von Internet Metadaten aktiviert ist.", + "TabSuggested": "Vorgeschlagen", + "TabSuggestions": "Empfehlungen", + "TabLatest": "Neueste", + "TabUpcoming": "Bevorstehend", + "TabShows": "Serien", + "TabEpisodes": "Episoden", + "TabGenres": "Genres", + "TabPeople": "Personen", + "TabNetworks": "Sendergruppen", + "HeaderUsers": "Benutzer", + "HeaderFilters": "Filter:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favoriten", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Darsteller", - "TangibleSoftwareMessage": "Verwendung konkreter L\u00f6sungen von Java\/C# Konvertern durch eine gespendete Lizenz.", "OptionGuestStars": "Gaststar", - "HeaderCredits": "Herausgeber", "OptionDirectors": "Regisseur", - "TabCollections": "Sammlungen", "OptionWriters": "Drehbuchautor", - "TabFavorites": "Favoriten", "OptionProducers": "Produzent", - "TabMyLibrary": "Meine Bibliothek", - "HeaderServices": "Dienste", "HeaderResume": "Fortsetzen", - "LabelCustomizeOptionsPerMediaType": "Anpassungen f\u00fcr Medientyp:", "HeaderNextUp": "Als N\u00e4chstes", "NoNextUpItemsMessage": "Es wurde nichts gefunden. Schau dir deine Shows an!", "HeaderLatestEpisodes": "Neueste Episoden", @@ -219,42 +200,32 @@ "TabMusicVideos": "Musikvideos", "ButtonSort": "Sortieren", "HeaderSortBy": "Sortiert nach", - "OptionEnableAccessToAllChannels": "Aktiviere Zugriff auf alle Kan\u00e4le", "HeaderSortOrder": "Sortierreihenfolge", - "LabelAutomaticUpdates": "Aktiviere automatische Updates", "OptionPlayed": "gespielt", - "LabelFanartApiKey": "Pers\u00f6nlicher API Schl\u00fcssel:", "OptionUnplayed": "nicht gespielt", - "LabelFanartApiKeyHelp": "Fanart Anfragen ohne einen pers\u00f6nlichen API Schl\u00fcssel liefert Ergebnisse der letzten 7 Tage. Bei Verwendung eines pers\u00f6nlichen API Schl\u00fcssels werden Ergebnisse der letzten 48 Stunden, und als VIP Member, der letzten 10 Minuten geliefert.", "OptionAscending": "Aufsteigend", "OptionDescending": "Absteigend", "OptionRuntime": "Dauer", + "OptionReleaseDate": "Ver\u00f6ffentlichungsdatum", "OptionPlayCount": "Z\u00e4hler", "OptionDatePlayed": "Abgespielt am", - "HeaderRepeatingOptions": "Wiederholungs Einstellungen", "OptionDateAdded": "Hinzugef\u00fcgt am", - "HeaderTV": "TV", "OptionAlbumArtist": "Album-Interpret", - "HeaderTermsOfService": "Emby Nutzungsbedingungen", - "LabelCustomCss": "Benutzerdefinierte CSS:", - "OptionDetectArchiveFilesAsMedia": "Behandle Archive wie Medien", "OptionArtist": "Interpret", - "MessagePleaseAcceptTermsOfService": "Bitte akzeptieren Sie die Nutzungsbedingungen & Datenschutzbestimmungen bevor Sie fortfahren.", - "OptionDetectArchiveFilesAsMediaHelp": "Wenn aktiviert werden .rar und .zip Datei-Erweiterungen wie Medien behandelt.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Ich akzeptiere die Nutzungsbedingungen.", - "LabelCustomCssHelp": "Wende deine eigene, benutzerdefinierte CSS f\u00fcr das Webinterface an.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Datenschutzbestimmungen", - "LabelSelectUsers": "W\u00e4hle Benutzer:", "OptionCommunityRating": "Community Bewertung", - "ButtonTermsOfService": "Nutzungsbedingungen", "OptionNameSort": "Name", + "OptionFolderSort": "Verzeichnisse", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Hilfreich f\u00fcr private oder versteckte Administrator-Konten. Der Benutzer muss sich manuell mit der Eingabe des Benutzernamens und Passworts anmelden.", "OptionRevenue": "Einnahme", "OptionPoster": "Poster", + "OptionPosterCard": "Poster Karte", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Zeitlinie", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb Karte", + "OptionBanner": "Banner", "OptionCriticRating": "Kritiker Bewertung", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Kann fortgesetzt werden", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Geplante Aufgaben", "TabMyPlugins": "Meine Plugins", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Dieser Assistent wird dich durch den Einrichtungsprozess f\u00fchren. Um zu beginnen, w\u00e4hle bitte deine bevorzugte Sprache.", - "TellUsAboutYourself": "Sag uns etwas \u00fcber dich selbst", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatische Updates", - "LabelYourFirstName": "Vorname:", - "LabelPinCode": "PIN Code:", - "MoreUsersCanBeAddedLater": "Weitere Benutzer k\u00f6nnen sp\u00e4ter \u00fcber die Optionsleiste hinzugef\u00fcgt werden.", "HeaderNowPlaying": "Aktuelle Wiedergabe", - "UserProfilesIntro": "Emby bietet von Haus aus Unterst\u00fctzung von Benutzerprofilen, die ihre eigenen Ansichten, Altersfreigaben und Spielst\u00e4nde von Medien kontrollieren k\u00f6nnen.", "HeaderLatestAlbums": "Neueste Alben", - "LabelWindowsService": "Windows-Dienst", "HeaderLatestSongs": "Neueste Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Konvertiere Medien", - "AWindowsServiceHasBeenInstalled": "Ein Windows Dienst wurde installiert.", "HeaderRecentlyPlayed": "Zuletzt gespielt", - "LabelTimeLimitHours": "Zeitlimit (Stunden):", - "WindowsServiceIntro1": "Emby Server l\u00e4uft normalerweise als Desktop-Anwendung mit einem Icon in der Anwendungsanzeige. Wenn Sie es lieber als Hintergrunddienst starten m\u00f6chten, so k\u00f6nnen Sie den Server \u00fcber die Windows Dienste starten.", "HeaderFrequentlyPlayed": "Oft gespielt", - "ButtonOrganize": "Organisieren", - "WindowsServiceIntro2": "Der Dienst kann nicht zu gleichen Zeit wie die Desktop Anwendung laufen. Schlie\u00dfe daher die Desktop Anwendung bevor du den Dienst startest. Der Dienst ben\u00f6tigt administrative Rechte, die du \u00fcber die Systemsteuerung einstellen musst. Beachte bitte auch, dass der Dienst zur Zeit nicht automatisch aktualisiert wird. Neue Versionen m\u00fcssen daher manuell installiert werden.", "DevBuildWarning": "Dev Builds sind experimentell. Diese sehr oft ver\u00f6ffentlichten Builds sind nicht getestet. Das Programm kann abst\u00fcrzen und m\u00f6glicherweise k\u00f6nnen einzelne Funktionen nicht funktionieren.", - "HeaderGrownupsOnly": "Nur Erwachsene!", - "WizardCompleted": "Das ist alles was wir bis jetzt brauchen. Emby hat nun angefangen Informationen \u00fcber Ihre Medienbibliothek zu sammeln. Schauen Sie sich ein paar unserer Apps an, dann Klicken Sie auf Fertig<\/b> um das Server Dashboard<\/b> anzuzeigen.", - "ButtonJoinTheDevelopmentTeam": "Schlie\u00dfen Sie sich dem Entwickler-Team an", - "LabelConfigureSettings": "Konfiguriere Einstellungen", - "LabelEnableVideoImageExtraction": "Aktiviere Videobild-Extrahierung", - "DividerOr": "-- oder --", - "OptionEnableAccessToAllLibraries": "Erlaube Zugriff auf alle Bibliotheken", - "VideoImageExtractionHelp": "F\u00fcr Videos die noch keinen Bilder haben, und f\u00fcr die wir keine Internetbilder finden k\u00f6nnen. Hierdurch wird der erste Bibliotheken scan etwas mehr Zeit beanspruchen, f\u00fchrt aber zu einer ansprechenderen Pr\u00e4sentation.", - "LabelEnableChapterImageExtractionForMovies": "Extrahiere Kapitelbilder f\u00fcr Filme", - "HeaderInstalledServices": "Installierte Dienste", - "LabelChapterImageExtractionForMoviesHelp": "Das Extrahieren von Kapitel-Bildern erm\u00f6glicht es den Clients eine grafische Szenenauswahl anzubieten. Das Erstellen ist recht langsam, rechenintensiv und erfordert einige Gigabyte an freien Speicherplatz. Diese Aufgabe startet jede Nacht, das kann aber in den geplanten Aufgaben ge\u00e4ndert werden. Es wird nicht empfohlen diese Aufgabe in Zeiten hoher Server-Auslastung zu starten.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "Bitte geben Sie Ihren vereinfachten PIN Code ein:", - "LabelEnableAutomaticPortMapping": "Aktiviere automatische Portweiterleitung", - "HeaderSupporterBenefits": "Unterst\u00fctzer Vorteile", - "LabelEnableAutomaticPortMappingHelp": "UPnP erm\u00f6glicht die automatische Routerkonfiguration f\u00fcr den einfachen Remote-Zugriff. Diese Option ist nicht f\u00fcr jeden Router verf\u00fcgbar.", - "HeaderAvailableServices": "Verf\u00fcgbare Dienste", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Verwenden Sie das Schloss-Symbol in der rechten oberen Ecke um den Kindermodus zu verlassen oder zu konfigurieren. Sie ben\u00f6tigen daf\u00fcr Ihren PIN Code.", - "ButtonCancel": "Abbrechen", - "HeaderAddUser": "Benutzer hinzuf\u00fcgen", - "HeaderSetupLibrary": "Medienbibliothek einrichten", - "MessageNoServicesInstalled": "Keine Dienste installiert.", - "ButtonAddMediaFolder": "Medienverzeichnis hinzuf\u00fcgen", - "ButtonConfigurePinCode": "PIN Code festlegen", - "LabelFolderType": "Verzeichnistyp:", - "LabelAddConnectSupporterHelp": "Um einen Benutzer hinzuzuf\u00fcgen, der nicht angezeigt wird, m\u00fcssen Sie diesen erst mit Emby Connect von seinem Benutzerprofil verbinden.", - "ReferToMediaLibraryWiki": "Siehe die Medienbibliothek Wiki", - "HeaderAdultsReadHere": "Eltern, bitte lesen!", - "LabelCountry": "Land:", - "LabelLanguage": "Sprache:", - "HeaderPreferredMetadataLanguage": "Bevorzugte Metadata Sprache:", - "LabelEnableEnhancedMovies": "Aktiviere erweiterte Filmdarstellung.", - "LabelSaveLocalMetadata": "Speichere Bildmaterial und Metadaten in den Medienverzeichnissen", - "LabelSaveLocalMetadataHelp": "Durch die Speicherung von Bildmaterial und Metadaten direkt in den Medienverzeichnissen, befinden sich diese an einem Ort wo sie sehr leicht bearbeitet werden k\u00f6nnen.", - "LabelDownloadInternetMetadata": "Lade Bildmaterial und Metadaten aus dem Internet", - "LabelEnableEnhancedMoviesHelp": "Wenn aktiviert, werden Filme als Verzeichnisse dargestellt, welche Trailer, Extras, Besetzung & Crew sowie weitere Inhalte enth\u00e4lt.", - "HeaderDeviceAccess": "Ger\u00e4te Zugang", - "LabelDownloadInternetMetadataHelp": "Emby Server kann Informationen \u00fcber Ihre Medien herunterladen um Anzeigen zu bereichern", - "OptionThumb": "Thumb", - "LabelExit": "Beenden", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Besuche die Community", "LabelVideoType": "Video Typ:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Standard", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Zugriff von allen Ger\u00e4ten erlauben", - "LabelBrowseLibrary": "Bibliothek durchsuchen", "LabelFeatures": "Merkmal:", - "DeviceAccessHelp": "Dies wird nur auf Ger\u00e4te angewandt die eindeutig identifiziert werden k\u00f6nnen und verhindert nicht den Web-Zugriff. Gefilterter Zugriff auf Ger\u00e4te verhindert die Nutzung neuer Ger\u00e4te solange, bis der Zugriff f\u00fcr diese freigegeben wird.", - "ChannelAccessHelp": "W\u00e4hle die Kan\u00e4le, die mit diesem Benutzer geteilt werden sollen. Administratoren sind in der Lage alle K\u00e4nale \u00fcber den Metadaten-Manager zu bearbeiten.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Letztes Ergebnis:", "OptionHasSubtitles": "Untertitel", - "LabelOpenLibraryViewer": "\u00d6ffne Bibliothekenansicht", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Server neustarten", "OptionHasThemeSong": "Titellied", - "LabelShowLogWindow": "Zeige Log Fenster", "OptionHasThemeVideo": "Titelvideo", - "LabelPrevious": "Vorheriges", "TabMovies": "Filme", - "LabelFinish": "Fertig", "TabStudios": "Studios", - "FolderTypeMixed": "Gemischte Inhalte", - "LabelNext": "N\u00e4chstes", "TabTrailers": "Trailer", - "FolderTypeMovies": "Filme", - "LabelYoureDone": "Du bist fertig!", + "LabelArtists": "Interpreten:", + "LabelArtistsHelp": "Trenne mehrere Eintr\u00e4ge durch ;", "HeaderLatestMovies": "Neueste Filme", - "FolderTypeMusic": "Musik", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Synchronisation ben\u00f6tigt eine Supporter-Mitgliedschaft", "HeaderLatestTrailers": "Neueste Trailer", - "FolderTypeAdultVideos": "Videos f\u00fcr Erwachsene", "OptionHasSpecialFeatures": "Besonderes Merkmal", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Best\u00e4tigen", - "HeaderEnjoyDayTrial": "Genie\u00dfen Sie eine 14 Tage Testversion", "OptionImdbRating": "IMDb Bewertung", - "FolderTypeMusicVideos": "Musikvideos", - "LabelFailed": "Fehlgeschlagen", "OptionParentalRating": "Altersfreigabe", - "FolderTypeHomeVideos": "Heimvideos", - "LabelSeries": "Serien:", "OptionPremiereDate": "Premiere", - "FolderTypeGames": "Spiele", - "ButtonRefresh": "Aktualisieren", "TabBasic": "Einfach", - "FolderTypeBooks": "B\u00fccher", - "HeaderPlaybackSettings": "Wiedergabe Einstellungen", "TabAdvanced": "Erweitert", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Fortdauernd", "OptionEnded": "Beendent", - "HeaderSync": "Synchronisiere", - "TabPreferences": "Einstellungen", "HeaderAirDays": "Ausstrahlungstage", - "OptionReleaseDate": "Ver\u00f6ffentlichungsdatum", - "TabPassword": "Passwort", - "HeaderEasyPinCode": "Einfacher PIN Code", "OptionSunday": "Sonntag", - "LabelArtists": "Interpreten:", - "TabLibraryAccess": "Bibliothekenzugriff", - "TitleAutoOrganize": "automatische Sortierung", "OptionMonday": "Montag", - "LabelArtistsHelp": "Trenne mehrere Eintr\u00e4ge durch ;", - "TabImage": "Bild", - "TabActivityLog": "Aktivit\u00e4tsverlauf", "OptionTuesday": "Dienstag", - "ButtonAdvancedRefresh": "Erweiterte Aktualiserung", - "TabProfile": "Profil", - "HeaderName": "Name", "OptionWednesday": "Mittwoch", - "LabelDisplayMissingEpisodesWithinSeasons": "Zeige fehlende Episoden innerhalb von Staffeln", - "HeaderDate": "Datum", "OptionThursday": "Donnerstag", - "LabelUnairedMissingEpisodesWithinSeasons": "Zeige noch nicht ausgestahlte Episoden innerhalb von Staffeln", - "HeaderSource": "Quelle", "OptionFriday": "Freitag", - "ButtonAddLocalUser": "F\u00fcge lokalen Benutzer hinzu", - "HeaderVideoPlaybackSettings": "Videowiedergabe Einstellungen", - "HeaderDestination": "Ziel", "OptionSaturday": "Samstag", - "LabelAudioLanguagePreference": "Audiosprache Einstellungen:", - "HeaderProgram": "Programm", "HeaderManagement": "Verwaltung", + "LabelManagement": "Management:", + "OptionMissingImdbId": "Fehlende IMDb Id", + "OptionMissingTvdbId": "Fehlende TheTVDB Id", + "OptionMissingOverview": "Fehlende \u00dcbersicht", + "OptionFileMetadataYearMismatch": "Datei \/ Metadaten Jahre stimmen nicht \u00fcberein", + "TabGeneral": "Allgemein", + "TitleSupport": "Support", + "LabelSeasonNumber": "Staffelnummer", + "TabLog": "Log", + "LabelEpisodeNumber": "Episodennummer", + "TabAbout": "\u00dcber", + "TabSupporterKey": "Unterst\u00fctzerschl\u00fcssel", + "TabBecomeSupporter": "Werde ein Unterst\u00fctzer", + "ProjectHasCommunity": "Emby hat eine wachsende Community von Benutzern und Unterst\u00fctzern.", + "CheckoutKnowledgeBase": "Schauen Sie sich in der Emby Wissensdatenbank um, um das beste aus Emby heraus zu holen.", + "SearchKnowledgeBase": "Durchsuche die Knowledge Base", + "VisitTheCommunity": "Besuche die Community", + "VisitProjectWebsite": "Beuchen Sie die Emby Website", + "VisitProjectWebsiteLong": "Besuchen Sie die Emby Website f\u00fcr aktuelle Informationen und bleiben Sie auf dem letzten Stand mit dem Entwickler Blog.", + "OptionHideUser": "Verberge diesen Benutzer in den Anmeldebildschirmen", + "OptionHideUserFromLoginHelp": "Hilfreich f\u00fcr private oder versteckte Administrator-Konten. Der Benutzer muss sich manuell mit der Eingabe des Benutzernamens und Passworts anmelden.", + "OptionDisableUser": "Sperre diesen Benutzer", + "OptionDisableUserHelp": "Wenn deaktiviert,wird der Server keine Verbindung von diesem Benutzer erlauben. Bestehenden Verbindungen werden sofort beendet.", + "HeaderAdvancedControl": "Erweiterte Kontrolle", + "LabelName": "Name:", + "ButtonHelp": "Hilfe", + "OptionAllowUserToManageServer": "Dieser Benutzer kann den Server managen", + "HeaderFeatureAccess": "Funktionszugriff", + "OptionAllowMediaPlayback": "Erlaube Medienwiedergabe", + "OptionAllowBrowsingLiveTv": "Erlaube Live TV Zugriff", + "OptionAllowDeleteLibraryContent": "Erlaube Medienl\u00f6schung", + "OptionAllowManageLiveTv": "Erlaube Live-TV Aufnahmeplanung", + "OptionAllowRemoteControlOthers": "Erlaube Fernsteuerung anderer Benutzer", + "OptionAllowRemoteSharedDevices": "Erlaube Fernsteuerung geteilter Ger\u00e4te", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-Ger\u00e4te werden gemeinsam genutzt, bis ein Benutzer die Steuerung \u00fcbernimmt.", + "OptionAllowLinkSharing": "Erlaube das Teilen in sozialen Netzwerken", + "OptionAllowLinkSharingHelp": "Es werden nur Web-Seiten mit Medieninformationen geteilt. Medien werden niemals \u00f6ffentlich geteilt. Die geteilten Inhalte sind nur begrenzt zug\u00e4nglich und werden basieren auf den Servereinstellungen ung\u00fcltig.", + "HeaderSharing": "Teilen", + "HeaderRemoteControl": "Fernsteuerung", "OptionMissingTmdbId": "Fehlende Tmdb Id", - "LabelSubtitleLanguagePreference": "Untertitelsprache Einstellungen:", - "HeaderClients": "Clients", - "OptionMissingImdbId": "Fehlende IMDb Id", "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Fertiggestellt", - "OptionMissingTvdbId": "Fehlende TheTVDB Id", "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Schnellstart Instruktionen", - "TabProfiles": "Profile", - "OptionMissingOverview": "Fehlende \u00dcbersicht", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Synchronisations-Aufgabe", - "TabSecurity": "Sicherheit", - "HeaderVideo": "Video", - "LabelSkipped": "\u00dcbersprungen", - "OptionFileMetadataYearMismatch": "Datei \/ Metadaten Jahre stimmen nicht \u00fcberein", "ButtonSelect": "Ausw\u00e4hlen", - "ButtonAddUser": "User hinzuf\u00fcgen", - "HeaderEpisodeOrganization": "Episodensortierung", - "TabGeneral": "Allgemein", "ButtonGroupVersions": "Gruppiere Versionen", - "TabGuide": "Programm", - "ButtonSave": "Speichern", - "TitleSupport": "Support", + "ButtonAddToCollection": "Zu Sammlung hinzuf\u00fcgen", "PismoMessage": "Verwendet Pismo File Mount durch eine gespendete Lizenz.", - "TabChannels": "Kan\u00e4le", - "ButtonResetPassword": "Passwort zur\u00fccksetzten", - "LabelSeasonNumber": "Staffelnummer:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Verwendung konkreter L\u00f6sungen von Java\/C# Konvertern durch eine gespendete Lizenz.", + "HeaderCredits": "Herausgeber", "PleaseSupportOtherProduces": "Bitte unterst\u00fctze andere freie Produkte die wir benutzen:", - "HeaderChannels": "Kan\u00e4le", - "LabelNewPassword": "Neues Passwort:", - "LabelEpisodeNumber": "Episodennummer:", - "TabAbout": "\u00dcber", "VersionNumber": "Version {0}", - "TabRecordings": "Aufnahmen", - "LabelNewPasswordConfirm": "Neues Passwort wiederhohlen:", - "LabelEndingEpisodeNumber": "Nummer der letzten Episode:", - "TabSupporterKey": "Unterst\u00fctzerschl\u00fcssel", "TabPaths": "Pfade", - "TabScheduled": "Geplant", - "HeaderCreatePassword": "Erstelle Passwort", - "LabelEndingEpisodeNumberHelp": "Nur erforderlich f\u00fcr Mehrfachepisoden", - "TabBecomeSupporter": "Werde ein Unterst\u00fctzer", "TabServer": "Server", - "TabSeries": "Serie", - "LabelCurrentPassword": "Aktuelles Passwort:", - "HeaderSupportTheTeam": "Unterst\u00fctzen Sie das Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Aufnahme abbrechen", - "LabelMaxParentalRating": "H\u00f6chste erlaubte elterlich Bewertung:", - "LabelSupportAmount": "Betrag (USD)", - "CheckoutKnowledgeBase": "Schauen Sie sich in der Emby Wissensdatenbank um, um das beste aus Emby heraus zu holen.", "TitleAdvanced": "Erweitert", - "HeaderPrePostPadding": "Pufferzeit vor\/nach der Aufnahme", - "MaxParentalRatingHelp": "Inhalt mit einer h\u00f6heren Bewertung wird dem User nicht angezeigt.", - "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.", - "SearchKnowledgeBase": "Durchsuche die Knowledge Base", "LabelAutomaticUpdateLevel": "Automatisches Update Level", - "LabelPrePaddingMinutes": "Minuten vor der Aufnahme", - "LibraryAccessHelp": "W\u00e4hle die Medienverzeichnisse die du mit diesem Benutzer teilen m\u00f6chtest. Administratoren k\u00f6nnen den Metadaten-Manager verwenden um alle Ordner zu bearbeiten.", - "ButtonEnterSupporterKey": "Supporter Key eintragen", - "VisitTheCommunity": "Besuche die Community", + "OptionRelease": "Offizielles Release", + "OptionBeta": "Beta", + "OptionDev": "Entwickler (instabil)", "LabelAllowServerAutoRestart": "Erlaube dem Server sich automatisch neuzustarten, um Updates durchzuf\u00fchren.", - "OptionPrePaddingRequired": "Die Pufferzeit vor der Aufnahme ist notwendig um aufzunehmen", - "OptionNoSubtitles": "Keine Untertitel", - "DonationNextStep": "Sobald abgeschlossen, kehre bitte hierher zur\u00fcck und trage den Unterst\u00fctzerschl\u00fcssel ein, den du per E-Mail erhalten hast.", "LabelAllowServerAutoRestartHelp": "Der Server startet nur in benutzerfreien Leerlaufzeiten neu.", - "LabelPostPaddingMinutes": "Pufferminuten nach der Aufnahme", - "AutoOrganizeHelp": "Die \"Auto-Organisation\" \u00fcberpr\u00fcft die Download-Verzeichnisse auf neue Dateien und verschiebt diese in die Medienverzeichnisse.", "LabelEnableDebugLogging": "Aktiviere Debug Logging", - "OptionPostPaddingRequired": "Die Pufferzeit nach der Aufnahme ist notwendig um aufzunehmen", - "AutoOrganizeTvHelp": "TV Dateien Organisation wird nur Episoden zu bereits vorhandenen Serien hinzuf\u00fcgen. Es werden keine neuen Serien angelegt.", - "OptionHideUser": "Verberge diesen Benutzer in den Anmeldebildschirmen", "LabelRunServerAtStartup": "Starte Server beim hochfahren.", - "HeaderWhatsOnTV": "Was gibts", - "ButtonNew": "Neu", - "OptionEnableEpisodeOrganization": "Aktiviere die Sortierung neuer Episoden", - "OptionDisableUser": "Sperre diesen Benutzer", "LabelRunServerAtStartupHelp": "Dies wird Media Browser als Anwendung w\u00e4hrend der Windows Anmeldung starten und ihn in der Taskleiste anzeigen. Um Media Browser als Systemdienst zu nutzen, deaktiviere diese Einstellung und starte anschlie\u00dfend den Dienst \u00fcber die Windows Systemsteuerung. Bitte beachte, dass Media Browser nicht zur gleichen Zeit als Systemdienst und als Anwendung genutzt werden kann. Bevor du den Service startest musst du zuerst die Anwendung schlie\u00dfen.", - "HeaderUpcomingTV": "Bevorstehend", - "TabMetadata": "Metadata", - "LabelWatchFolder": "\u00dcberwache Verzeichnis:", - "OptionDisableUserHelp": "Wenn deaktiviert,wird der Server keine Verbindung von diesem Benutzer erlauben. Bestehenden Verbindungen werden sofort beendet.", "ButtonSelectDirectory": "W\u00e4hle Verzeichnis", - "TabStatus": "Status", - "TabImages": "Bilder", - "LabelWatchFolderHelp": "Der Server wird dieses Verzeichnis, w\u00e4hrend der geplanten Aufgabe \"Organisiere neue Mediendateien\", abfragen.", - "HeaderAdvancedControl": "Erweiterte Kontrolle", "LabelCustomPaths": "Definiere eigene Pfade. Felder leer lassen um die Standardwerte zu nutzen.", - "TabSettings": "Einstellungen", - "TabCollectionTitles": "Titel", - "TabPlaylist": "Wiedergabeliste", - "ButtonViewScheduledTasks": "Zeige Geplante Aufgaben", - "LabelName": "Name:", "LabelCachePath": "Cache Pfad:", - "ButtonRefreshGuideData": "Aktualisiere TV-Programmdaten", - "LabelMinFileSizeForOrganize": "Minimale Dateigr\u00f6\u00dfe (MB):", - "OptionAllowUserToManageServer": "Dieser Benutzer kann den Server managen", "LabelCachePathHelp": "W\u00e4hle eine Verzeichnis f\u00fcr Server Cache Dateien, wie z.B. Bilddateien.", - "OptionPriority": "Priorit\u00e4t", - "ButtonRemove": "Entfernen", - "LabelMinFileSizeForOrganizeHelp": "Dateien unter dieser Gr\u00f6\u00dfe werden ignoriert.", - "HeaderFeatureAccess": "Funktionszugriff", "LabelImagesByNamePath": "Images by name Pfad:", + "LabelImagesByNamePathHelp": "Spezifiziere eine individuelles Verzeichnis, f\u00fcr die heruntergeladenen Bilder der Darsteller, Genres und Studios.", + "LabelMetadataPath": "Metadata Pfad:", + "LabelMetadataPathHelp": "W\u00e4hle ein Verzeichnis f\u00fcr heruntergeladenes Bildmaterial und Metadaten, falls diese nicht innerhalb der Medienverzeichnisse gespeichert werden sollen.", + "LabelTranscodingTempPath": "Tempor\u00e4rer Transcoding Pfad:", + "LabelTranscodingTempPathHelp": "Dieses Verzeichnis beinhaltet Dateien die f\u00fcr den Betrieb des Transcoders benutzt werden. W\u00e4hle einen eigenen Pfad oder lasse das Feld frei, um den Standardspeicherort im Server Datenverzeichnis zu nutzen.", + "TabBasics": "Grundlagen", + "TabTV": "TV", + "TabGames": "Spiele", + "TabMusic": "Musik", + "TabOthers": "Andere", + "HeaderExtractChapterImagesFor": "Speichere Kapitelbilder f\u00fcr:", + "OptionMovies": "Filme", + "OptionEpisodes": "Episoden", + "OptionOtherVideos": "Andere Filme", + "TitleMetadata": "Metadaten", + "LabelAutomaticUpdates": "Aktiviere automatische Updates", + "LabelAutomaticUpdatesTmdb": "Aktiviere automatische Updates von TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Aktiviere automatische Updates von TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Falls aktviert, werden Bilder die unter fanart.tv neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", + "LabelAutomaticUpdatesTmdbHelp": "Falls aktviert, werden Bilder die unter TheMovieDB.org neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", + "LabelAutomaticUpdatesTvdbHelp": "Falls aktviert, werden Bilder die unter TheTVDB.com neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", + "LabelFanartApiKey": "Pers\u00f6nlicher API Schl\u00fcssel:", + "LabelFanartApiKeyHelp": "Fanart Anfragen ohne einen pers\u00f6nlichen API Schl\u00fcssel liefert Ergebnisse der letzten 7 Tage. Bei Verwendung eines pers\u00f6nlichen API Schl\u00fcssels werden Ergebnisse der letzten 48 Stunden, und als VIP Member, der letzten 10 Minuten geliefert.", + "ExtractChapterImagesHelp": "Das Extrahieren von Kapitel-Bildern erm\u00f6glicht es den Clients eine grafische Szenenauswahl anzubieten. Das Erstellen ist recht langsam, rechenintensiv und erfordert ggf. einige Gigabyte an freien Speicherplatz. Diese Aufgabe startet wenn neue Videos erkannt werden und ebenso als eine n\u00e4chtliche Aufgabe. Es wird nicht empfohlen diese Aufgabe in Zeiten hoher Server-Auslastung zu starten.", + "LabelMetadataDownloadLanguage": "Bevorzugte Sprache f\u00fcr Downloads:", + "ButtonAutoScroll": "Auto-scroll", + "LabelImageSavingConvention": "Speicherconvention der Bilddatein:", + "LabelImageSavingConventionHelp": "Emby erkennt Bilder von den meisten bekannten Media-Anwendungen. Eine Auswahl des Download-Formates ist sinnvoll wenn Sie auch andere Produkte verwenden.", + "OptionImageSavingCompatible": "Kompatibel - Emby\/ Kodi\/ Plex", + "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": "Auf allen Kan\u00e4len aufzeichnen", + "OptionRecordAnytime": "Zu jeder Zeit aufzeichnen", + "OptionRecordOnlyNewEpisodes": "Nehme nur neue Episoden auf", + "HeaderRepeatingOptions": "Wiederholungs Einstellungen", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Dienste", + "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": "Ausl\u00f6ser hinzuf\u00fcgen", + "HeaderAddScheduledTaskTrigger": "Ausl\u00f6ser hinzuf\u00fcgen", + "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.", "EditCollectionItemsHelp": "Entferne oder f\u00fcge alle Filme, Serien, Alben, B\u00fccher oder Spiele, die du in dieser Sammlung gruppieren willst hinzu.", - "TabAccess": "Zugang", - "LabelSeasonFolderPattern": "Staffelordnervorlage:", - "OptionAllowMediaPlayback": "Erlaube Medienwiedergabe", - "LabelImagesByNamePathHelp": "Spezifiziere eine individuelles Verzeichnis, f\u00fcr die heruntergeladenen Bilder der Darsteller, Genres und Studios.", - "OptionRecordAnytime": "Zu jeder Zeit aufzeichnen", "HeaderAddTitles": "Titel hinzuf\u00fcgen", - "OptionAllowBrowsingLiveTv": "Erlaube Live TV Zugriff", - "LabelMetadataPath": "Metadata Pfad:", - "OptionRecordOnlyNewEpisodes": "Nehme nur neue Episoden auf", "LabelEnableDlnaPlayTo": "Aktiviere DLNA Play To", - "OptionAllowDeleteLibraryContent": "Erlaube Medienl\u00f6schung", - "LabelMetadataPathHelp": "W\u00e4hle ein Verzeichnis f\u00fcr heruntergeladenes Bildmaterial und Metadaten, falls diese nicht innerhalb der Medienverzeichnisse gespeichert werden sollen.", - "HeaderDays": "Tage", "LabelEnableDlnaPlayToHelp": "Emby kann Ger\u00e4te in Ihrem Netzwerk erkennen und bietet Ihnen die M\u00f6glichkeit diese fernzusteuern.", - "OptionAllowManageLiveTv": "Erlaube Live-TV Aufnahmeplanung", - "LabelTranscodingTempPath": "Tempor\u00e4rer Transcoding Pfad:", - "HeaderActiveRecordings": "Aktive Aufnahmen", "LabelEnableDlnaDebugLogging": "Aktiviere DLNA Debug Logging", - "OptionAllowRemoteControlOthers": "Erlaube Fernsteuerung anderer Benutzer", - "LabelTranscodingTempPathHelp": "Dieses Verzeichnis beinhaltet Dateien die f\u00fcr den Betrieb des Transcoders benutzt werden. W\u00e4hle einen eigenen Pfad oder lasse das Feld frei, um den Standardspeicherort im Server Datenverzeichnis zu nutzen.", - "HeaderLatestRecordings": "Neueste Aufnahmen", "LabelEnableDlnaDebugLoggingHelp": "Dies wird gro\u00dfe Logdateien erzeugen und sollte nur zur Fehlerbehebung benutzt werden.", - "TabBasics": "Grundlagen", - "HeaderAllRecordings": "Alle Aufnahmen", "LabelEnableDlnaClientDiscoveryInterval": "Client-Entdeckungs Intervall (Sekunden)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Abspielen", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Ermittelt die Zeit in Sekunden zwischen SSDP Suchanfragen die durch Emby ausgef\u00fchrt wurden.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Spiele", - "LabelStatus": "Status:", - "ButtonEdit": "Bearbeiten", "HeaderCustomDlnaProfiles": "Benutzerdefinierte Profile", - "TabMusic": "Musik", - "LabelVersion": "Version:", - "ButtonRecord": "Aufnehmen", "HeaderSystemDlnaProfiles": "Systemprofile", - "TabOthers": "Andere", - "LabelLastResult": "Letztes Ergebnis:", - "ButtonDelete": "L\u00f6schen", "CustomDlnaProfilesHelp": "Erstelle ein benutzerdefiniertes Profil f\u00fcr ein neues Zielger\u00e4t, oder um ein vorhandenes Systemprofil zu \u00fcberschreiben.", - "HeaderExtractChapterImagesFor": "Speichere Kapitelbilder f\u00fcr:", - "OptionRecordSeries": "Nehme Serie auf", "SystemDlnaProfilesHelp": "Systemprofile sind schreibgesch\u00fctzt. \u00c4nderungen an einem Systemprofil werden als neues benutzerdefiniertes Profil gespeichert.", - "OptionMovies": "Filme", - "HeaderDetails": "Details", "TitleDashboard": "\u00dcbersicht", - "OptionEpisodes": "Episoden", "TabHome": "Home", - "OptionOtherVideos": "Andere Filme", "TabInfo": "Info", - "TitleMetadata": "Metadaten", "HeaderLinks": "Links", "HeaderSystemPaths": "Systempfade", - "LabelAutomaticUpdatesTmdb": "Aktiviere automatische Updates von TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Aktiviere automatische Updates von TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Falls aktviert, werden Bilder die unter fanart.tv neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", + "LinkApi": "API", "LinkApiDocumentation": "Api Dokumentation", - "LabelAutomaticUpdatesTmdbHelp": "Falls aktviert, werden Bilder die unter TheMovieDB.org neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", "LabelFriendlyServerName": "Freundlicher Servername:", - "LabelAutomaticUpdatesTvdbHelp": "Falls aktviert, werden Bilder die unter TheTVDB.com neu hinzugef\u00fcgt wurden, automatisch geladen. Vorhandene Bilder werden nicht ersetzt.", - "OptionFolderSort": "Verzeichnisse", "LabelFriendlyServerNameHelp": "Dieser Name wird benutzt um diesen Server zu identifizieren. Wenn leer gelassen, wird der Computername benutzt.", - "LabelConfigureServer": "Konfiguriere Emby", - "ExtractChapterImagesHelp": "Das Extrahieren von Kapitel-Bildern erm\u00f6glicht es den Clients eine grafische Szenenauswahl anzubieten. Das Erstellen ist recht langsam, rechenintensiv und erfordert ggf. einige Gigabyte an freien Speicherplatz. Diese Aufgabe startet wenn neue Videos erkannt werden und ebenso als eine n\u00e4chtliche Aufgabe. Es wird nicht empfohlen diese Aufgabe in Zeiten hoher Server-Auslastung zu starten.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Bevorzugte Anzeigesprache:", - "LabelMetadataDownloadLanguage": "Bevorzugte Sprache f\u00fcr Downloads:", - "TitleLiveTV": "Live-TV", "LabelPreferredDisplayLanguageHelp": "Die \u00dcbersetzung von Emby wird stetig fortgesetzt und ist aktuell noch nicht vollst\u00e4ndig.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Anzahl von Tagen f\u00fcr die Programminformationen geladen werden sollen:", "LabelReadHowYouCanContribute": "Lese wie du dazu beitragen kannst.", + "HeaderNewCollection": "Neue Collection", + "ButtonSubmit": "Best\u00e4tigen", + "ButtonCreate": "Kreieren", + "LabelCustomCss": "Benutzerdefinierte CSS:", + "LabelCustomCssHelp": "Wende deine eigene, benutzerdefinierte CSS f\u00fcr das Webinterface an.", + "LabelLocalHttpServerPortNumber": "Lokale HTTP Portnummer:", + "LabelLocalHttpServerPortNumberHelp": "Die TCP Port Nummer, auf die der Emby http Server h\u00f6rt.", + "LabelPublicHttpPort": "\u00d6ffentliche HTTP Portnummer:", + "LabelPublicHttpPortHelp": "Die \u00f6ffentliche Portnummer sollte einem lokalen HTTP Port zugewiesen werden.", + "LabelPublicHttpsPort": "\u00d6ffentliche HTTPS Portnummer:", + "LabelPublicHttpsPortHelp": "Die \u00f6ffentliche Portnummer sollte einem lokalen HTTPS Port zugewiesen werden.", + "LabelEnableHttps": "Gebe HTTPS als externe Adresse aus", + "LabelEnableHttpsHelp": "Wenn eingeschaltet, wird der Server eine https url als externe Adresse an alle Clients melden.", + "LabelHttpsPort": "Lokale HTTPS Portnummer:", + "LabelHttpsPortHelp": "Die TCP Port-Nummer f\u00fcr sichere Emby https Verbindungen.", + "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 WAN Adresse:", + "LabelExternalDDNSHelp": "Wenn Sie einen dynamischen DNS verwenden, geben Sie diesen hier ein. Emby Apps werden diese bei Internetverbindungen automatisch verwenden. Lassen Sie dieses Feld f\u00fcr eine automatische Erkennung leer.", + "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:", + "LabelEndingEpisodeNumber": "Nummer der letzten Episode:", + "LabelEndingEpisodeNumberHelp": "Nur erforderlich f\u00fcr Mehrfachepisoden", + "HeaderSupportTheTeam": "Unterst\u00fctzen Sie das Emby 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", + "HeaderHelpImproveProject": "Helfen Sie, Emby zu verbessern", + "HeaderRunningTasks": "Laufende Aufgaben", + "HeaderActiveDevices": "Aktive Ger\u00e4te", + "HeaderPendingInstallations": "Ausstehende Installationen", + "HeaderServerInformation": "Server Informationen", "ButtonRestartNow": "Jetzt neustarten", - "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.", - "ButtonOptions": "Optionen", - "NotificationOptionApplicationUpdateInstalled": "Anwendungsaktualisierung installiert", "ButtonRestart": "Neu starten", - "LabelChannelDownloadPath": "Channel Inhalt Downloadverzeichnis:", - "NotificationOptionPluginUpdateInstalled": "Pluginaktualisierung installiert", "ButtonShutdown": "Herunterfahren", - "LabelChannelDownloadPathHelp": "Lege, falls gew\u00fcnscht, einen eigenen Pfad f\u00fcr Downloads fest. Lasse das Feld frei, wenn in den internen Programmdatenordner heruntergeladen werden soll.", - "NotificationOptionPluginInstalled": "Plugin installiert", "ButtonUpdateNow": "Jetzt aktualisieren", - "LabelChannelDownloadAge": "L\u00f6sche Inhalt nach: (Tagen)", - "NotificationOptionPluginUninstalled": "Plugin deinstalliert", + "TabHosting": "Hosting", "PleaseUpdateManually": "Bitte herunterfahren und den Server manuell aktualisieren.", - "LabelChannelDownloadAgeHelp": "Heruntergeladene Inhalte die \u00e4lter als dieser Wert sind werden gel\u00f6scht. Sie werden aber weiterhin \u00fcber das Internetstreaming verf\u00fcgbar sein.", - "NotificationOptionTaskFailed": "Fehler bei geplanter Aufgabe", "NewServerVersionAvailable": "Eine neue Version des Emby Servers ist verf\u00fcgbar!", - "ChannelSettingsFormHelp": "Installiere Kan\u00e4le wie beispielsweise \"Trailers\" oder \"Vimeo\" aus dem Plugin Katalog.", - "NotificationOptionInstallationFailed": "Installationsfehler", "ServerUpToDate": "Emby Server ist auf dem aktuellsten Stand.", + "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": "Geben Sie Ihren Unterst\u00fctzer-Schl\u00fcssel an um weitere Funktionen der Entwickler-Community f\u00fcr Emby freizuschalten.", + "MessageInvalidKey": "MB3 Schl\u00fcssel nicht vorhanden oder ung\u00fcltig.", + "ErrorMessageInvalidKey": "Wenn Sie sich f\u00fcr Premium Inhalte registrieren m\u00f6chten, ben\u00f6tigen Sie zuvor einen Emby Unterst\u00fctzer Schl\u00fcssel. Bitte Spenden und unterst\u00fctzen Sie die zuk\u00fcnftige Entwicklung des Hauptprodukts. Vielen Dank.", + "HeaderDisplaySettings": "Anzeige Einstellungen", + "TabPlayTo": "Spiele an", + "LabelEnableDlnaServer": "Aktiviere DLNA Server", + "LabelEnableDlnaServerHelp": "Erlaubt UPnP Ger\u00e4ten in Ihrem Netzwerk Zugriff und Wiedergabe von Emby Inhalten.", + "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)", + "NotificationOptionCameraImageUploaded": "Kamera Bild hochgeladen", + "NotificationOptionUserLockedOut": "Benutzer ausgeschlossen", + "HeaderSendNotificationHelp": "Standardm\u00e4\u00dfig werden Benachrichtigungen im Dashboard angezeigt. St\u00f6bern Sie im Plugin-Katalog um weitere Benachrichtigungsm\u00f6glichkeiten zu erhalten.", + "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", - "LabelComponentsUpdated": "Die folgenden Komponenten wurden installiert oder aktualisiert:", + "CategoryApplication": "Anwendung", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Benachrichtigungstitel:", - "ButtonNext": "N\u00e4chstes", - "MessagePleaseRestartServerToFinishUpdating": "Bitte den Server neustarten, um die Aktualisierungen abzuschlie\u00dfen.", "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", - "LabelSkipIfGraphicalSubsPresent": "\u00dcberspringen, falls das Video bereits grafische Untertitel enth\u00e4lt", - "LabelSkipIfGraphicalSubsPresentHelp": "Das Vorhalten von textbasierten Untertiteln f\u00fchrt zu einer effizienteren Anzeige und verringert die Wahrscheinlichkeit einer Videotranskodierung.", + "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.", - "LabelSkipIfAudioTrackPresent": "\u00dcberspringen, falls der Ton bereits der herunterladbaren Sprache entspricht", "LabelProfileContainersHelp": "Getrennt durch Komma. Leerlassen, um auf alle Container anzuwenden.", - "LabelSkipIfAudioTrackPresentHelp": "Entferne den Haken, um sicherzustellen das alle Videos Untertitel haben, unabh\u00e4ngig von der Audiosprache", "HeaderResponseProfile": "Antwort Profil", "LabelType": "Typ:", - "HeaderHelpImproveProject": "Helfen Sie, Emby zu verbessern", + "LabelPersonRole": "Rolle:", + "LabelPersonRoleHelp": "Rollen sind generell nur f\u00fcr Schauspieler verf\u00fcgbar.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video Codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio Codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direktwiedergabe Profil", - "ButtonClose": "Schlie\u00dfen", - "TabView": "Ansicht", - "TabSort": "Sortieren", "HeaderTranscodingProfile": "Transcoding Profil", - "HeaderBecomeProjectSupporter": "Werden Sie Emby Unterst\u00fctzer", - "OptionNone": "Keines", - "TabFilter": "Filter", - "HeaderLiveTv": "Live-TV", - "ButtonView": "Ansicht", "HeaderCodecProfile": "Codec Profil", - "HeaderReports": "Berichte", - "LabelPageSize": "Elementenbegrenzung:", "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.", - "HeaderMetadataManager": "Metadaten-Manager", - "LabelView": "Ansicht:", - "ViewTypePlaylists": "Wiedergabelisten", - "HeaderPreferences": "Einstellungen", "HeaderContainerProfile": "Container Profil", - "MessageLoadingChannels": "Lade Kanalinhalt...", - "ButtonMarkRead": "Als gelesen markieren", "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.", - "LabelAlbumArtists": "Alben Interpreten:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Meistgesehen", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Videowiedergabe gestoppt", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Meine Ansichten", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audiowiedergabe gestoppt", - "ButtonVolumeUp": "Lauter", - "OptionLatestTvRecordings": "Neueste Aufnahmen", - "NotificationOptionGamePlaybackStopped": "Spielwiedergabe gestoppt", - "ButtonVolumeDown": "Leiser", - "ButtonMute": "Stumm", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "Benutzer Bibliothek:", "LabelUserLibraryHelp": "W\u00e4hle aus, welche Medienbibliothek auf den Endger\u00e4ten angezeigt werden soll. Ohne Eintrag wird die Standardeinstellung beibehalten.", - "ButtonArrowUp": "Auf", "OptionPlainStorageFolders": "Zeige alle Verzeichnisse als reine Speicherorte an", - "LabelChapterName": "Kapitel {0}", - "NotificationOptionCameraImageUploaded": "Kamera Bild hochgeladen", - "ButtonArrowDown": "Ab", "OptionPlainStorageFoldersHelp": "Falls aktiviert, werden alle Verzeichnisse in DIDL als \"object.container.storageFolder\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.container.person.musicArtist\".", - "HeaderNewApiKey": "Neuer API Schl\u00fcssel", - "ButtonArrowLeft": "Links", "OptionPlainVideoItems": "Zeige alle Videos als reine Videodateien an", - "LabelAppName": "App Name", - "ButtonArrowRight": "Rechts", - "LabelAppNameExample": "Beispiel: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Zur\u00fcck", "OptionPlainVideoItemsHelp": "Falls aktiviert, werden alle Videos in DIDL als \"object.item.videoItem\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.item.videoItem.movie\".", - "HeaderNewApiKeyHelp": "Geben Sie einer Applikation die Erlaubnis mit dem Emby Server zu kommunizieren.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Unterst\u00fczte Medientypen:", - "ButtonPageUp": "Bild auf", "TabIdentification": "Identifikation", - "ButtonPageDown": "Bild ab", + "HeaderIdentification": "Identifizierung", "TabDirectPlay": "Direktwiedergabe", - "PageAbbreviation": "PG", "TabContainers": "Container", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limitiere die Gr\u00f6\u00dfe des Channel Download Verzeichnisses.", - "ButtonSettings": "Einstellungen", "TabResponses": "Antworten", - "ButtonTakeScreenshot": "Bildschirmfoto aufnehmen", "HeaderProfileInformation": "Profil Infomationen", - "ButtonLetterUp": "Buchstabe hoch", - "ButtonLetterDown": "Buchstabe runter", "LabelEmbedAlbumArtDidl": "Integrierte Alben-Cover in Didl", - "PageButtonAbbreviation": "PG", "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.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Benutzername", - "TabNowPlaying": "Aktuelle Wiedergabe", "LabelAlbumArtPN": "Alben-Cover PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Vollbild umschalten", "LabelAlbumArtMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Album Art:albumArtURI.", - "HeaderDisplaySettings": "Anzeige Einstellungen", - "ButtonAudioTracks": "Audiospuren", "LabelIconMaxWidth": "Maximale Iconbreite:", - "TabPlayTo": "Spiele an", - "HeaderFeatures": "Funktionen", "LabelIconMaxWidthHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.", - "LabelEnableDlnaServer": "Aktiviere DLNA Server", - "HeaderAdvanced": "Erweitert", "LabelIconMaxHeight": "Maximale Iconh\u00f6he:", - "LabelEnableDlnaServerHelp": "Erlaubt UPnP Ger\u00e4ten in Ihrem Netzwerk Zugriff und Wiedergabe von Emby Inhalten.", "LabelIconMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.", - "LabelEnableBlastAliveMessages": "Erzeuge Alive Meldungen", "LabelIdentificationFieldHelp": "Ein Teilstring oder Regex Ausdruck, der keine Gro\u00df- und Kleinschreibung ber\u00fccksichtigt.", - "LabelEnableBlastAliveMessagesHelp": "Aktiviere dies, wenn der Server nicht zuverl\u00e4ssig von anderen UPnP Ger\u00e4ten in ihrem Netzwerk erkannt wird.", - "CategoryApplication": "Anwendung", "HeaderProfileServerSettingsHelp": "Diese Werte geben an, wie Emby Server sich Ihren Ger\u00e4ten pr\u00e4sentiert.", - "LabelBlastMessageInterval": "Alive Meldungsintervall (Sekunden)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Maximale Bitrate:", - "LabelBlastMessageIntervalHelp": "Legt die Dauer in Sekunden zwischen den Server Alive Meldungen fest.", - "NotificationOptionPluginError": "Plugin Fehler", "LabelMaxBitrateHelp": "Lege eine maximale Bitrate, f\u00fcr Anwendungsgebiete mit begrenzter Bandbreite oder bei durch die Endger\u00e4te auferlegten Banbdbreitenbegrenzungen, fest", - "LabelDefaultUser": "Standardbenutzer", + "LabelMaxStreamingBitrate": "Maximale Streamingbitrate", + "LabelMaxStreamingBitrateHelp": "W\u00e4hle die maximale Bitrate w\u00e4hrend des streamens.", + "LabelMaxChromecastBitrate": "Max Chromcast Datenrate:", + "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", - "HeaderServerInformation": "Server Informationen", - "LabelDefaultUserHelp": "Legt fest, welche Benutzerbibliothek auf verbundenen Ger\u00e4ten angezeigt werden soll. Dies kann f\u00fcr jedes Ger\u00e4t durch Profile \u00fcberschrieben werden.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Falls aktiviert, werden diese Anfragen ber\u00fccksichtigt aber Byte-Range-Header ignoriert werden.", "LabelFriendlyName": "Freundlicher Name", "LabelManufacturer": "Hersteller", - "ViewTypeMovies": "Filme", "LabelManufacturerUrl": "Hersteller URL", - "TabNextUp": "Als N\u00e4chstes", - "ViewTypeTvShows": "TV", "LabelModelName": "Modellname", - "ViewTypeGames": "Spiele", "LabelModelNumber": "Modellnummer", - "ViewTypeMusic": "Musik", "LabelModelDescription": "Modellbeschreibung", - "LabelDisplayCollectionsViewHelp": "Die erstellt eine eigene Ansicht f\u00fcr Sammlungen, auf denen Sie Zugriff haben. Um eine Sammlung zu erstellen benutzen Sie einen Rechtsklick oder halten Sie einen Film gedr\u00fcckt und w\u00e4hlen Sie 'Zu Sammlung hinzuf\u00fcgen'.", - "ViewTypeBoxSets": "Sammlungen", "LabelModelUrl": "Modell URL", - "HeaderOtherDisplaySettings": "Anzeige Einstellungen", "LabelSerialNumber": "Seriennummer", "LabelDeviceDescription": "Ger\u00e4tebeschreibung", - "LabelSelectFolderGroups": "Gruppiere Inhalte von folgenden Verzeichnissen automatisch zu Ansichten wie beispielsweise Filme, Musik und TV:", "HeaderIdentificationCriteriaHelp": "Gebe mindestens ein Identifikationskriterium an.", - "LabelSelectFolderGroupsHelp": "Verzeichnisse die nicht markiert sind werden alleine, mit ihren eigenen Ansichten, angezeigt.", "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.", - "ViewTypeLiveTvNowPlaying": "Gerade ausgestrahlt", "HeaderResponseProfileHelp": "Antwortprofile bieten eine M\u00f6glichkeit die Informationen, die w\u00e4hrend dem abspielen diverser Medientypen an die Abspielger\u00e4te gesendet werden, zu personalisieren.", - "ViewTypeMusicFavorites": "Favoriten", - "ViewTypeLatestGames": "Neueste Spiele", - "ViewTypeMusicSongs": "Lieder", "LabelXDlnaCap": "X-DLNA Grenze:", - "ViewTypeMusicFavoriteAlbums": "Album Favoriten", - "ViewTypeRecentlyPlayedGames": "K\u00fcrzlich abgespielt", "LabelXDlnaCapHelp": "Legt den Inhalt des X_DLNACAP Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.", - "ViewTypeMusicFavoriteArtists": "Interpreten Favoriten", - "ViewTypeGameFavorites": "Favoriten", - "HeaderViewOrder": "Reihenfolge f\u00fcr Ansichten", "LabelXDlnaDoc": "X-DLNA Dokument:", - "ViewTypeMusicFavoriteSongs": "Lieder Favoriten", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Spielesysteme", - "LabelSelectUserViewOrder": "W\u00e4hlen Sie die Reihenfolge der Ansichten in Ihren Emby apps aus.", "LabelXDlnaDocHelp": "Legt den Inhalt des X_DLNADOC Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.", - "HeaderIdentificationHeader": "Identfikations Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Installiere ein Plugin f\u00fcr Kapitelinhalte, wie beispielsweise ChapterDb, um weitere Optionen f\u00fcr Kapitel zu erhalten.", "LabelSonyAggregationFlags": "Sony Aggregation Flags:", - "LabelValue": "Wert:", - "ViewTypeTvResume": "Fortsetzen", - "TabChapters": "Kapitel", "LabelSonyAggregationFlagsHelp": "Legt den Inhalt des aggregationFlags Elements in der rn:schemas-sonycom:av namespace fest.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "\u00dcbereinstimmungstyp:", - "ViewTypeTvNextUp": "Als n\u00e4chstes", - "HeaderDownloadChaptersFor": "Lade Kapitelnamen herunter f\u00fcr:", - "ViewTypeMusicArtists": "K\u00fcnstler", - "OptionEquals": "Gleiche", - "ViewTypeTvLatest": "Neueste", - "HeaderChapterDownloadingHelp": "Wenn Emby Ihre Videodateien untersucht, so kann Emby Kapitelnamen f\u00fcr Sie mit Hilfe eines Kapitel-Plugins, z.B. ChapterDb, herunterladen.", "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", "LabelTranscodingVideoCodec": "Video Codec:", - "OptionSubstring": "Substring", - "ViewTypeTvGenres": "Genres", "LabelTranscodingVideoProfile": "Video Profil:", - "TabServices": "Dienste", "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 Emby Ihre Videodateien untersucht, kann Emby fehlende Untertitel f\u00fcr Sie suchen und mit einem Untertitel Anbieter, z.B. 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": "Das Vorhalten von textbasierten Untertiteln f\u00fchrt zu einer effizienteren Anzeige und verringert die Wahrscheinlichkeit einer Videotranskodierung.", + "TabSubtitles": "Untertitel", + "TabChapters": "Kapitel", + "HeaderDownloadChaptersFor": "Lade Kapitelnamen herunter f\u00fcr:", + "LabelOpenSubtitlesUsername": "\"Open Subtitles\" Benutzername:", + "LabelOpenSubtitlesPassword": "\"Open Subtitles\" Passwort:", + "HeaderChapterDownloadingHelp": "Wenn Emby Ihre Videodateien untersucht, so kann Emby Kapitelnamen f\u00fcr Sie mit Hilfe eines Kapitel-Plugins, z.B. 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "Keine Suchergebnisse gefunden", + "TabDisplay": "Anzeige", + "TabLanguages": "Sprachen", + "TabAppSettings": "App Einstellungen", + "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", + "HeaderOptions": "Optionen", + "HeaderIdentificationResult": "Identifikationsergebnis", + "LabelHomePageSection1": "Startseite Bereich 1:", + "LabelHomePageSection2": "Startseite Bereich 2:", + "LabelHomePageSection3": "Startseite Bereich 3:", + "LabelHomePageSection4": "Startseite Bereich 4:", + "OptionMyMediaButtons": "Meine Medien (Schaltfl\u00e4chen)", + "OptionMyMedia": "Meine Medien", + "OptionMyMediaSmall": "Meine Medien (Klein)", + "OptionResumablemedia": "Wiederhole", + "OptionLatestMedia": "Neuste Medien", + "OptionLatestChannelMedia": "Neueste Channel Inhalte:", + "HeaderLatestChannelItems": "Neueste Channel Inhalte:", + "OptionNone": "Keines", + "HeaderLiveTv": "Live-TV", + "HeaderReports": "Berichte", + "HeaderMetadataManager": "Metadaten-Manager", + "HeaderSettings": "Einstellungen", + "MessageLoadingChannels": "Lade Kanalinhalt...", + "MessageLoadingContent": "Lade Inhalt...", + "ButtonMarkRead": "Als gelesen markieren", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Meistgesehen", + "TabNextUp": "Als N\u00e4chstes", + "PlaceholderUsername": "Benutzername", + "HeaderBecomeProjectSupporter": "Werden Sie Emby Unterst\u00fctzer", + "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 Ihnen eine personalisierte Gruppierung von Filmen, Serien, Alben, B\u00fcchern und Spielen. Klicken Sie die + Schaltfl\u00e4che um Sammlungen zu erstellen.", + "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.", + "ButtonDismiss": "Verwerfen", + "ButtonEditOtherUserPreferences": "Bearbeite dieses Benutzerprofil, das Benutzerbild und die pers\u00f6nlichen Einstellungen.", + "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.", + "ButtonOptions": "Optionen", + "ViewTypePlaylists": "Wiedergabelisten", + "ViewTypeMovies": "Filme", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Spiele", + "ViewTypeMusic": "Musik", + "ViewTypeMusicGenres": "Genres", + "ViewTypeMusicArtists": "K\u00fcnstler", + "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", - "TabLogs": "Logs", - "OptionEnableM2tsMode": "Aktiviere M2TS Modus", "ViewTypeMovieLatest": "Neueste", - "HeaderServerLogFiles": "Server Logdateien", - "OptionEnableM2tsModeHelp": "Aktiviere M2TS Modus beim Encodieren nach MPEGTS.", "ViewTypeMovieMovies": "Filme", - "TabBranding": "Markierung", - "OptionEstimateContentLength": "Voraussichtliche Inhaltsl\u00e4nge beim Transkodieren", - "HeaderPassword": "Passwort", "ViewTypeMovieCollections": "Sammlungen", - "HeaderBrandingHelp": "Personalisieren Sie das Erscheinen von Empy um es Ihren eigenen Bed\u00fcrfnissen, oder die Ihrer Organisation, anzupassen.", - "OptionReportByteRangeSeekingWhenTranscoding": "Teilt die Unterst\u00fctzung der Bytesuche w\u00e4hrend des transkodierens auf dem Server mit.", - "HeaderLocalAccess": "Lokaler Zugriff", "ViewTypeMovieFavorites": "Favoriten", - "LabelLoginDisclaimer": "Anmeldung Haftungsausschluss:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dies wird f\u00fcr manche Abspielger\u00e4te ben\u00f6tigt, auf denen die Zeitsuche nicht gut funktioniert.", "ViewTypeMovieGenres": "Genres", - "LabelLoginDisclaimerHelp": "Dies wird am Boden des Anmeldebildschirms angezeigt.", "ViewTypeMusicLatest": "Neueste", - "LabelAutomaticallyDonate": "Spende diesen Geldbetrag jeden Monat automatisch", + "ViewTypeMusicPlaylists": "Wiedergabelisten", "ViewTypeMusicAlbums": "Alben", - "LabelAutomaticallyDonateHelp": "Du kannst die Zahlungen jederzeit \u00fcber deinen PayPal Account deaktivieren.", - "TabHosting": "Hosting", "ViewTypeMusicAlbumArtists": "Album-K\u00fcnstler", - "LabelDownMixAudioScale": "Audio Verst\u00e4rkung bei Downmixing:", - "ButtonSync": "Synchronisieren", - "LabelPlayDefaultAudioTrack": "Spiele unabh\u00e4ngig von der Sprache die Standardtonspur", - "LabelDownMixAudioScaleHelp": "Erh\u00f6he die Audiolautst\u00e4rke beim Heruntermischen. Setzte auf 1 um die original Lautst\u00e4rke zu erhalten.", - "LabelHomePageSection4": "Startseite Bereich 4:", - "HeaderChapters": "Kapitel", - "LabelSubtitlePlaybackMode": "Untertitel Modus:", - "HeaderDownloadPeopleMetadataForHelp": "Die Aktivierung von zus\u00e4tzlichen Optionen wird mehr Informationen zur Verf\u00fcgung stellen, aber das scannen der Bibliothek verlangsamen.", - "ButtonLinkKeys": "Schl\u00fcssel transferieren", - "OptionLatestChannelMedia": "Neueste Channel Inhalte:", - "HeaderResumeSettings": "Wiederaufnahme Einstellungen", - "ViewTypeFolders": "Verzeichnisse", - "LabelOldSupporterKey": "Alter Unterst\u00fctzerschl\u00fcssel", - "HeaderLatestChannelItems": "Neueste Channel Inhalte:", - "LabelDisplayFoldersView": "Nutze die Verzeichnissansicht f\u00fcr die Darstellung der reinen Medienordner", - "LabelNewSupporterKey": "Neuer Unterst\u00fctzerschl\u00fcssel", - "TitleRemoteControl": "Fernsteuerung", - "ViewTypeLiveTvRecordingGroups": "Aufnahmen", - "HeaderMultipleKeyLinking": "Transferiere zu einem neuen Schl\u00fcssel", - "ViewTypeLiveTvChannels": "Kan\u00e4le", - "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", - "TabControls": "Controls", - "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": "Geben Sie Ihren Unterst\u00fctzer-Schl\u00fcssel an um weitere Funktionen der Entwickler-Community f\u00fcr Emby freizuschalten.", - "MessageInvalidKey": "MB3 Schl\u00fcssel nicht vorhanden oder ung\u00fcltig.", - "ErrorMessageInvalidKey": "Wenn Sie sich f\u00fcr Premium Inhalte registrieren m\u00f6chten, ben\u00f6tigen Sie zuvor einen Emby Unterst\u00fctzer Schl\u00fcssel. Bitte Spenden und unterst\u00fctzen Sie die zuk\u00fcnftige Entwicklung des Hauptprodukts. Vielen Dank.", - "HeaderEpisodes": "Episoden:", - "UserDownloadingItemWithValues": "{0} l\u00e4dt {1} herunter", - "OptionMyMediaButtons": "Meine Medien (Schaltfl\u00e4chen)", - "HeaderHomePage": "Startseite", - "HeaderSettingsForThisDevice": "Einstellungen f\u00fcr dieses Ger\u00e4t", - "OptionMyMedia": "Meine Medien", - "OptionAllUsers": "Alle Benutzer", - "ButtonDismiss": "Verwerfen", - "OptionAdminUsers": "Administratoren", + "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", - "HeaderSearchForSubtitles": "Suche nach Untertiteln", - "OptionCustomUsers": "Benutzer", - "ButtonMore": "Mehr", - "MessageNoSubtitleSearchResultsFound": "Keine Suchergebnisse gefunden", + "OptionLibraryFolders": "Medienverzeichnisse", + "TitleRemoteControl": "Fernsteuerung", + "OptionLatestTvRecordings": "Neueste Aufnahmen", + "LabelProtocolInfo": "Protokoll Information:", + "LabelProtocolInfoHelp": "Der Wert, der f\u00fcr die Beantwortung von GetProtocolInfo Anfragen durch die Endger\u00e4te benutzt wird.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby beinhaltet eine native Unterst\u00fctzung von Nfo Metadata Dateien. Um Nfo Metadata ein oder auszuschalten, verwenden Sie den Erweitert Tab.", + "LabelKodiMetadataUser": "Synchronisiere den \"Gesehen\" Status von Benutzern in NFO's f\u00fcr:", + "LabelKodiMetadataUserHelp": "Aktivieren Sie dies, um den \"Gesehen\" Status zwischen Emby Server und Nfo Dateien synchron zu halten.", + "LabelKodiMetadataDateFormat": "Ver\u00f6ffentlichungsdatum Format:", + "LabelKodiMetadataDateFormatHelp": "Alle Daten in den NFO's werde unter Benutzung dieses Format gelesen und geschrieben.", + "LabelKodiMetadataSaveImagePaths": "Speicher Bildpfade innerhalb der NFO Dateien", + "LabelKodiMetadataSaveImagePathsHelp": "Dies ist empfehlenswert wenn du Dateinamen hast, die nicht den Kodi Richtlinien entsprechen.", + "LabelKodiMetadataEnablePathSubstitution": "Aktiviere Pfadersetzung", + "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiviert die Pfadersetzung f\u00fcr Bildpfade durch Benutzung der Server Pfadersetzung Einstellungen", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "Siehe Pfadersetzung.", + "LabelGroupChannelsIntoViews": "Zeige die folgenden Kan\u00e4le direkt innerhalb meiner Ansichten:", + "LabelGroupChannelsIntoViewsHelp": "Falls aktiviert, werden diese Kan\u00e4le direkt neben den anderen Ansichten angezeigt. Falls deaktiviert, werden sie innerhalb einer separaten Kanalansicht angezeigt.", + "LabelDisplayCollectionsView": "Zeigt eine Ansicht f\u00fcr Sammlungen, um Filmsammlungen darzustellen", + "LabelDisplayCollectionsViewHelp": "Die erstellt eine eigene Ansicht f\u00fcr Sammlungen, auf denen Sie Zugriff haben. Um eine Sammlung zu erstellen benutzen Sie einen Rechtsklick oder halten Sie einen Film gedr\u00fcckt und w\u00e4hlen Sie 'Zu Sammlung hinzuf\u00fcgen'.", + "LabelKodiMetadataEnableExtraThumbs": "Kopiere Extrafanart in Extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Beim downloaden von Bildern k\u00f6nnen diese sowohl als Extrafanart als auch als Extrathumb gespeichert werden, um maximale Kodi Kompatibilit\u00e4t zu erzielen.", + "TabServices": "Dienste", + "TabLogs": "Logs", + "HeaderServerLogFiles": "Server Logdateien", + "TabBranding": "Markierung", + "HeaderBrandingHelp": "Personalisieren Sie das Erscheinen von Empy um es Ihren eigenen Bed\u00fcrfnissen, oder die Ihrer Organisation, anzupassen.", + "LabelLoginDisclaimer": "Anmeldung Haftungsausschluss:", + "LabelLoginDisclaimerHelp": "Dies wird am Boden des Anmeldebildschirms angezeigt.", + "LabelAutomaticallyDonate": "Spende diesen Geldbetrag jeden Monat automatisch", + "LabelAutomaticallyDonateHelp": "Du kannst die Zahlungen jederzeit \u00fcber deinen PayPal Account deaktivieren.", + "OptionList": "List", + "TabDashboard": "\u00dcbersicht", + "TitleServer": "Server:", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadaten:", + "LabelImagesByName": "Bilder nach Namen:", + "LabelTranscodingTemporaryFiles": "Tempor\u00e4re Transkodierdateien:", "HeaderLatestMusic": "Neueste Musik", - "OptionMyMediaSmall": "Meine Medien (Klein)", - "TabDisplay": "Anzeige", "HeaderBranding": "Markierung", - "TabLanguages": "Sprachen", "HeaderApiKeys": "API Schl\u00fcssel", - "LabelGroupChannelsIntoViews": "Zeige die folgenden Kan\u00e4le direkt innerhalb meiner Ansichten:", "HeaderApiKeysHelp": "Externe Applikationen ben\u00f6tigen einen API Key um mit Emby Server zu kommunizieren. API Keys werden beim loggin mit einem Emby Konto vergeben oder durch eine manuelle Freigabe.", - "LabelGroupChannelsIntoViewsHelp": "Falls aktiviert, werden diese Kan\u00e4le direkt neben den anderen Ansichten angezeigt. Falls deaktiviert, werden sie innerhalb einer separaten Kanalansicht angezeigt.", - "LabelEnableThemeSongs": "Aktiviere Titelmelodie", "HeaderApiKey": "API Schl\u00fcssel", - "HeaderSubtitleDownloadingHelp": "Wenn Emby Ihre Videodateien untersucht, kann Emby fehlende Untertitel f\u00fcr Sie suchen und mit einem Untertitel Anbieter, z.B. OpenSubtitles.org, herunterladen.", - "LabelEnableBackdrops": "Aktiviere Hintergr\u00fcnde", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Lade Untertitel runter f\u00fcr", - "LabelEnableThemeSongsHelp": "Wenn aktiviert, wird die Titelmusik w\u00e4hrend dem Durchsuchen durch die Bibliothek im Hintergrund abgespielt", "HeaderDevice": "Endger\u00e4t", - "LabelEnableBackdropsHelp": "Falls aktiviert, werden beim durchsuchen der Bibliothek auf einigen Seiten passende Hintergr\u00fcnde angezeigt.", "HeaderUser": "Benutzer", "HeaderDateIssued": "Datum gesetzt", - "TabSubtitles": "Untertitel", - "LabelOpenSubtitlesUsername": "\"Open Subtitles\" Benutzername:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "\"Open Subtitles\" Passwort:", - "OptionYes": "Ja", - "OptionNo": "Nein", - "LabelDownloadLanguages": "Herunterzuladende Sprachen:", - "LabelHomePageSection1": "Startseite Bereich 1:", - "ButtonRegister": "Registrierung", - "LabelHomePageSection2": "Startseite Bereich 2:", - "LabelHomePageSection3": "Startseite Bereich 3:", - "OptionResumablemedia": "Wiederhole", - "ViewTypeTvShowSeries": "Serien", - "OptionLatestMedia": "Neuste Medien", - "ViewTypeTvFavoriteSeries": "Serien Favoriten", - "ViewTypeTvFavoriteEpisodes": "Episoden Favoriten", - "LabelEpisodeNamePlain": "Episodenname", - "LabelSeriesNamePlain": "Serienname", - "LabelSeasonNumberPlain": "Staffelnummer", - "LabelEpisodeNumberPlain": "Episodennummer", - "OptionLibraryFolders": "Medienverzeichnisse", - "LabelEndingEpisodeNumberPlain": "Nummer der letzten Episode", + "LabelChapterName": "Kapitel {0}", + "HeaderNewApiKey": "Neuer API Schl\u00fcssel", + "LabelAppName": "App Name", + "LabelAppNameExample": "Beispiel: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Geben Sie einer Applikation die Erlaubnis mit dem Emby Server zu kommunizieren.", + "HeaderHttpHeaders": "Http Headers", + "HeaderIdentificationHeader": "Identfikations Header", + "LabelValue": "Wert:", + "LabelMatchType": "\u00dcbereinstimmungstyp:", + "OptionEquals": "Gleiche", + "OptionRegex": "Regex", + "OptionSubstring": "Substring", + "TabView": "Ansicht", + "TabSort": "Sortieren", + "TabFilter": "Filter", + "ButtonView": "Ansicht", + "LabelPageSize": "Elementenbegrenzung:", + "LabelPath": "Pfad:", + "LabelView": "Ansicht:", + "TabUsers": "Benutzer", + "LabelSortName": "Sortiername:", + "LabelDateAdded": "Hinzugef\u00fcgt am:", + "HeaderFeatures": "Funktionen", + "HeaderAdvanced": "Erweitert", + "ButtonSync": "Synchronisieren", + "TabScheduledTasks": "Geplante Aufgaben", + "HeaderChapters": "Kapitel", + "HeaderResumeSettings": "Wiederaufnahme Einstellungen", + "TabSync": "Synchronisieren", + "TitleUsers": "Benutzer", + "LabelProtocol": "Protokoll: ", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Kontext:", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Synchronisieren", + "ButtonAddToPlaylist": "Hinzuf\u00fcgen zur Wiedergabeliste", + "TabPlaylists": "Wiedergabelisten", + "ButtonClose": "Schlie\u00dfen", "LabelAllLanguages": "Alle Sprachen", "HeaderBrowseOnlineImages": "Durchsuche Onlinebilder", "LabelSource": "Quelle:", @@ -939,509 +1067,388 @@ "LabelImage": "Bild:", "ButtonBrowseImages": "Durchsuche Bilder", "HeaderImages": "Bilder", - "LabelReleaseDate": "Ver\u00f6ffentlichungsdatum:", "HeaderBackdrops": "Hintergr\u00fcnde", - "HeaderOptions": "Optionen", - "LabelWeatherDisplayLocation": "Wetteranzeige Ort:", - "TabUsers": "Benutzer", - "LabelMaxChromecastBitrate": "Max Chromcast Datenrate:", - "LabelEndDate": "Endzeit:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identifikationsergebnis", - "LabelWeatherDisplayLocationHelp": "US Postleitzahl \/ Stadt, Staat, Land \/ Stadt, Land", - "LabelYear": "Jahr:", "HeaderAddUpdateImage": "Hinzuf\u00fcgen\/Aktualisieren von Bild", - "LabelWeatherDisplayUnit": "Wetteranzeige Einheit:", "LabelJpgPngOnly": "Nur JPG\/PNG", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Einstellungen", "LabelImageType": "Bildtyp:", - "HeaderActivity": "Aktivit\u00e4ten", - "LabelChannelDownloadSizeLimit": "Download Gr\u00f6\u00dfenlimit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Prim\u00e4r", - "ScheduledTaskStartedWithName": "{0} gestartet", - "MessageLoadingContent": "Lade Inhalt...", - "HeaderRequireManualLogin": "Manuelle Eingabe des Benutzernamens bei:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} wurde abgebrochen", - "NotificationOptionUserLockedOut": "Benutzer ausgeschlossen", - "HeaderRequireManualLoginHelp": "Wenn deaktiviert k\u00f6nnen Clients einen Anmeldebildschirm mit einer visuellen Auswahl der User anzeigen.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} abgeschlossen", - "OptionOtherApps": "Andere Apps", - "TabScheduledTasks": "Geplante Aufgaben", "OptionBoxRear": "Box R\u00fcckseite", - "ScheduledTaskFailed": "Geplante Aufgabe abgeschlossen", - "OptionMobileApps": "Mobile Apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} wurde installiert", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} wurde aktualisiert", "OptionMenu": "Men\u00fc", - "PluginUninstalledWithName": "{0} wurde deinstalliert", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Szenen", - "ScheduledTaskFailedWithName": "{0} fehlgeschlagen", - "UserLockedOutWithName": "Benutzer {0} wurde ausgeschlossen", "OptionLocked": "Gesperrt", - "ButtonSubtitles": "Untertitel", - "ItemAddedWithName": "{0} wurde der Bibliothek hinzugef\u00fcgt", "OptionUnidentified": "Undefiniert", - "ItemRemovedWithName": "{0} wurde aus der Bibliothek entfernt", "OptionMissingParentalRating": "Fehlende Altersfreigabe", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} ist verbunden", "OptionStub": "Stub", - "UserOnlineFromDevice": "{0} ist online von {1}", - "ButtonStop": "Stop", - "DeviceOfflineWithName": "{0} wurde getrennt", - "OptionList": "List", + "HeaderEpisodes": "Episoden:", "OptionSeason0": "Staffel 0", - "ButtonPause": "Pause", - "UserOfflineFromDevice": "{0} wurde getrennt von {1}", - "TabDashboard": "\u00dcbersicht", "LabelReport": "Bericht:", - "SubtitlesDownloadedForItem": "Untertitel heruntergeladen f\u00fcr {0}", - "TitleServer": "Server:", "OptionReportSongs": "Lieder", + "OptionReportSeries": "Serien", + "OptionReportSeasons": "Staffeln", + "OptionReportTrailers": "Trailer", + "OptionReportMusicVideos": "Musikvideos", + "OptionReportMovies": "Filme", + "OptionReportHomeVideos": "Heimvideos", + "OptionReportGames": "Spiele", + "OptionReportEpisodes": "Episoden", + "OptionReportCollections": "Sammlungen", + "OptionReportBooks": "B\u00fccher", + "OptionReportArtists": "Interpreten", + "OptionReportAlbums": "Alben", + "OptionReportAdultVideos": "Videos f\u00fcr Erwachsene", + "HeaderActivity": "Aktivit\u00e4ten", + "ScheduledTaskStartedWithName": "{0} gestartet", + "ScheduledTaskCancelledWithName": "{0} wurde abgebrochen", + "ScheduledTaskCompletedWithName": "{0} abgeschlossen", + "ScheduledTaskFailed": "Geplante Aufgabe abgeschlossen", + "PluginInstalledWithName": "{0} wurde installiert", + "PluginUpdatedWithName": "{0} wurde aktualisiert", + "PluginUninstalledWithName": "{0} wurde deinstalliert", + "ScheduledTaskFailedWithName": "{0} fehlgeschlagen", + "ItemAddedWithName": "{0} wurde der Bibliothek hinzugef\u00fcgt", + "ItemRemovedWithName": "{0} wurde aus der Bibliothek entfernt", + "DeviceOnlineWithName": "{0} ist verbunden", + "UserOnlineFromDevice": "{0} ist online von {1}", + "DeviceOfflineWithName": "{0} wurde getrennt", + "UserOfflineFromDevice": "{0} wurde getrennt von {1}", + "SubtitlesDownloadedForItem": "Untertitel heruntergeladen f\u00fcr {0}", "SubtitleDownloadFailureForItem": "Download der Untertitel fehlgeschlagen f\u00fcr {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Serien", "LabelRunningTimeValue": "Laufzeit: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Staffeln", "LabelIpAddressValue": "IP Adresse: {0}", - "LabelMetadata": "Metadaten:", - "OptionReportTrailers": "Trailer", - "ViewTypeMusicPlaylists": "Wiedergabelisten", + "UserLockedOutWithName": "Benutzer {0} wurde ausgeschlossen", "UserConfigurationUpdatedWithName": "Benutzereinstellungen wurden aktualisiert f\u00fcr {0}", - "NotificationOptionNewLibraryContentMultiple": "Neuen Inhalte hinzugef\u00fcgt (mehrere)", - "LabelImagesByName": "Bilder nach Namen:", - "OptionReportMusicVideos": "Musikvideos", "UserCreatedWithName": "Benutzer {0} wurde erstellt", - "HeaderSendMessage": "sende Nachricht", - "LabelTranscodingTemporaryFiles": "Tempor\u00e4re Transkodierdateien:", - "OptionReportMovies": "Filme", "UserPasswordChangedWithName": "Das Passwort f\u00fcr Benutzer {0} wurde ge\u00e4ndert", - "ButtonSend": "senden", - "OptionReportHomeVideos": "Heimvideos", "UserDeletedWithName": "Benutzer {0} wurde gel\u00f6scht", - "LabelMessageText": "Inhalt der Nachricht", - "OptionReportGames": "Spiele", "MessageServerConfigurationUpdated": "Server Einstellungen wurden aktualisiert", - "HeaderKodiMetadataHelp": "Emby beinhaltet eine native Unterst\u00fctzung von Nfo Metadata Dateien. Um Nfo Metadata ein oder auszuschalten, verwenden Sie den Erweitert Tab.", - "OptionReportEpisodes": "Episoden", - "ButtonPreviousTrack": "Vorheriges St\u00fcck", "MessageNamedServerConfigurationUpdatedWithValue": "Der Server Einstellungsbereich {0} wurde aktualisiert", - "LabelKodiMetadataUser": "Synchronisiere den \"Gesehen\" Status von Benutzern in NFO's f\u00fcr:", - "OptionReportCollections": "Sammlungen", - "ButtonNextTrack": "N\u00e4chstes St\u00fcck", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server wurde auf den neusten Stand gebracht.", - "LabelKodiMetadataUserHelp": "Aktivieren Sie dies, um den \"Gesehen\" Status zwischen Emby Server und Nfo Dateien synchron zu halten.", - "OptionReportBooks": "B\u00fccher", - "HeaderServerSettings": "Server Einstellungen", "AuthenticationSucceededWithUserName": "{0} erfolgreich authentifiziert", - "LabelKodiMetadataDateFormat": "Ver\u00f6ffentlichungsdatum Format:", - "OptionReportArtists": "Interpreten", "FailedLoginAttemptWithUserName": "Fehlgeschlagener Anmeldeversuch von {0}", - "LabelKodiMetadataDateFormatHelp": "Alle Daten in den NFO's werde unter Benutzung dieses Format gelesen und geschrieben.", - "ButtonAddToPlaylist": "Hinzuf\u00fcgen zur Wiedergabeliste", - "OptionReportAlbums": "Alben", + "UserDownloadingItemWithValues": "{0} l\u00e4dt {1} herunter", "UserStartedPlayingItemWithValues": "{0} hat die Wiedergabe von {1} gestartet", - "LabelKodiMetadataSaveImagePaths": "Speicher Bildpfade innerhalb der NFO Dateien", - "LabelDisplayCollectionsView": "Zeigt eine Ansicht f\u00fcr Sammlungen, um Filmsammlungen darzustellen", - "AdditionalNotificationServices": "Durchsuche den Plugin Katalog, um weitere Benachrichtigungsdienste zu installieren.", - "OptionReportAdultVideos": "Videos f\u00fcr Erwachsene", "UserStoppedPlayingItemWithValues": "{0} hat die Wiedergabe von {1} beendet", - "LabelKodiMetadataSaveImagePathsHelp": "Dies ist empfehlenswert wenn du Dateinamen hast, die nicht den Kodi Richtlinien entsprechen.", "AppDeviceValues": "App: {0}, Ger\u00e4t: {1}", - "LabelMaxStreamingBitrate": "Maximale Streamingbitrate", - "LabelKodiMetadataEnablePathSubstitution": "Aktiviere Pfadersetzung", - "LabelProtocolInfo": "Protokoll Information:", "ProviderValue": "Anbieter: {0}", + "LabelChannelDownloadSizeLimit": "Download Gr\u00f6\u00dfenlimit (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Limitiere die Gr\u00f6\u00dfe des Channel Download Verzeichnisses.", + "HeaderRecentActivity": "K\u00fcrzliche Aktivit\u00e4ten", + "HeaderPeople": "Personen", + "HeaderDownloadPeopleMetadataFor": "Lade Biografien und Bilder herunter f\u00fcr:", + "OptionComposers": "Komponisten", + "OptionOthers": "Andere", + "HeaderDownloadPeopleMetadataForHelp": "Die Aktivierung von zus\u00e4tzlichen Optionen wird mehr Informationen zur Verf\u00fcgung stellen, aber das scannen der Bibliothek verlangsamen.", + "ViewTypeFolders": "Verzeichnisse", + "LabelDisplayFoldersView": "Nutze die Verzeichnissansicht f\u00fcr die Darstellung der reinen Medienordner", + "ViewTypeLiveTvRecordingGroups": "Aufnahmen", + "ViewTypeLiveTvChannels": "Kan\u00e4le", "LabelEasyPinCode": "Einfacher pin code:", - "LabelMaxStreamingBitrateHelp": "W\u00e4hle die maximale Bitrate w\u00e4hrend des streamens.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiviert die Pfadersetzung f\u00fcr Bildpfade durch Benutzung der Server Pfadersetzung Einstellungen", - "LabelProtocolInfoHelp": "Der Wert, der f\u00fcr die Beantwortung von GetProtocolInfo Anfragen durch die Endger\u00e4te benutzt wird.", - "LabelMaxStaticBitrate": "Maximale Synchronisierungsbitrate ", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Siehe Pfadersetzung.", - "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.", "EasyPasswordHelp": "Ihre vereinfachte PIN Eingabe wird f\u00fcr offline Zugriffe von unterst\u00fctzenden Emby Apps verwendet. Sie kann ebenso als erleichterten Zugang aus dem eigenen Netzwerk verwendet werden.", - "LabelMaxStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Inhalten mit hoher Qualit\u00e4t.", - "LabelKodiMetadataEnableExtraThumbs": "Kopiere Extrafanart in Extrathumbs", - "MessageNoPlaylistItemsAvailable": "Diese Wiedergabeliste ist momentan leer.", - "TabSync": "Synchronisieren", - "LabelProtocol": "Protokoll: ", - "LabelKodiMetadataEnableExtraThumbsHelp": "Beim downloaden von Bildern k\u00f6nnen diese sowohl als Extrafanart als auch als Extrathumb gespeichert werden, um maximale Kodi Kompatibilit\u00e4t zu erzielen.", - "TabPlaylists": "Wiedergabelisten", - "LabelPersonRole": "Rolle:", "LabelInNetworkSignInWithEasyPassword": "Schalte Login mit einfachen Passwort f\u00fcr das eigene Netzwerk ein.", - "TitleUsers": "Benutzer", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Rollen sind generell nur f\u00fcr Schauspieler verf\u00fcgbar.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Pfad:", - "HeaderIdentification": "Identifizierung", "LabelInNetworkSignInWithEasyPasswordHelp": "Wenn aktiviert, k\u00f6nnen Sie sich in ihrem eigenen Netzwerk mit dem vereinfachten PIN bei Emby Apps anmelden. Ihr regul\u00e4res Kennwort wird nur ben\u00f6tigt, wenn Sie unterwegs sind. Wenn Sie den PIN frei lassen, so ben\u00f6tigen Sie in Ihrem Netzwerk keinen PIN.", - "LabelContext": "Kontext:", - "LabelSortName": "Sortiername:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Hinzugef\u00fcgt am:", + "HeaderPassword": "Passwort", + "HeaderLocalAccess": "Lokaler Zugriff", + "HeaderViewOrder": "Reihenfolge f\u00fcr Ansichten", "ButtonResetEasyPassword": "Einfachen PIN zur\u00fccksetzen", - "OptionContextStatic": "Synchronisieren", + "LabelSelectUserViewOrder": "W\u00e4hlen Sie die Reihenfolge der Ansichten in Ihren Emby apps aus.", "LabelMetadataRefreshMode": "Metadaten Aktualisierungsmethode:", - "ViewTypeChannels": "Kan\u00e4le", "LabelImageRefreshMode": "Aktualisierungsmethode f\u00fcr Bilder:", - "ViewTypeLiveTV": "Live-TV", - "HeaderSendNotificationHelp": "Standardm\u00e4\u00dfig werden Benachrichtigungen im Dashboard angezeigt. St\u00f6bern Sie im Plugin-Katalog um weitere Benachrichtigungsm\u00f6glichkeiten zu erhalten.", "OptionDownloadMissingImages": "Lade fehlende Bilder herunter", "OptionReplaceExistingImages": "Ersetze vorhandene Bilder", "OptionRefreshAllData": "Aktualisiere alle Daten", "OptionAddMissingDataOnly": "F\u00fcge nur fehlende Daten hinzu", "OptionLocalRefreshOnly": "Nur lokale Aktualisierung", - "LabelGroupMoviesIntoCollections": "Gruppiere Filme in Collections", "HeaderRefreshMetadata": "Aktualisiere Metadaten", - "LabelGroupMoviesIntoCollectionsHelp": "Wenn Filmlisten angezeigt werden, dann werden Filme, die zu einer Collection geh\u00f6ren, als ein gruppiertes Element angezeigt.", "HeaderPersonInfo": "Informationen zur Person", "HeaderIdentifyItem": "Identifiziere Element", "HeaderIdentifyItemHelp": "Gib ein oder mehrere Suchkriterien ein. Entferne Kriterien um die Suchergebnisse zu erweitern.", - "HeaderLatestMedia": "Neueste Medien", + "HeaderConfirmDeletion": "Best\u00e4tige L\u00f6schung", "LabelFollowingFileWillBeDeleted": "Die folgende Datei wird gel\u00f6scht werden:", "LabelIfYouWishToContinueWithDeletion": "Falls du fortfahren m\u00f6chtest, gibt bitte das Ergebnis aus folgender Rechnung an:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identifizieren", "LabelAlbumArtist": "Album-Interpret:", + "LabelAlbumArtists": "Alben Interpreten:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community Bewertung:", "LabelVoteCount": "Stimmen:", - "ButtonSearch": "Suche", "LabelMetascore": "Metascore:", "LabelCriticRating": "Kritiker Bewertung:", "LabelCriticRatingSummary": "Kritikerbewertungen:", "LabelAwardSummary": "Auszeichnungen:", - "LabelSeasonZeroFolderName": "Verzeichnisname f\u00fcr Staffel 0:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episodendateivorlage:", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episodenvorlage:", "LabelOverview": "\u00dcbersicht:", - "LabelMultiEpisodePattern": "Multi-Episodenvorlage:", "LabelShortOverview": "Kurz\u00fcbersicht:", - "HeaderSupportedPatterns": "Unterst\u00fctzte Vorlagen:", - "MessageNoMovieSuggestionsAvailable": "Momentan sind keine Filmvorschl\u00e4ge verf\u00fcgbar. Schaue und bewerte zuerst deine Filme. Komme danach zur\u00fcck, um deine Filmvorschl\u00e4ge anzuschauen.", - "LabelMusicStaticBitrate": "Musik Synchronisierungsbitrate:", + "LabelReleaseDate": "Ver\u00f6ffentlichungsdatum:", + "LabelYear": "Jahr:", "LabelPlaceOfBirth": "Geburtsort:", - "HeaderTerm": "Begriff", - "MessageNoCollectionsAvailable": "Sammlungen erlauben Ihnen eine personalisierte Gruppierung von Filmen, Serien, Alben, B\u00fcchern und Spielen. Klicken Sie die + Schaltfl\u00e4che um Sammlungen zu erstellen.", - "LabelMusicStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Musik", + "LabelEndDate": "Endzeit:", "LabelAirDate": "Ausstrahlungstage:", - "HeaderPattern": "Vorlagen", - "LabelMusicStreamingTranscodingBitrate": "Musik Transkodier Bitrate:", "LabelAirTime:": "Ausstrahlungszeit:", - "HeaderNotificationList": "Klicke auf eine Benachrichtigung um die Benachrichtigungseinstellungen zu bearbeiten", - "HeaderResult": "Ergebnis", - "LabelMusicStreamingTranscodingBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das streamen von Musik", "LabelRuntimeMinutes": "Laufzeit (Minuten):", - "LabelNotificationEnabled": "Aktiviere diese Benachrichtigung", - "LabelDeleteEmptyFolders": "L\u00f6sche leere Verzeichnisse nach dem Organisieren.", - "HeaderRecentActivity": "K\u00fcrzliche Aktivit\u00e4ten", "LabelParentalRating": "Altersfreigabe:", - "LabelDeleteEmptyFoldersHelp": "Aktiviere dies um den Downloadverzeichnisse sauber zu halten.", - "ButtonOsd": "On Screen Display", - "HeaderPeople": "Personen", "LabelCustomRating": "Eigene Bewertung:", - "LabelDeleteLeftOverFiles": "L\u00f6sche \u00fcbriggebliebene Dateien mit den folgenden Dateiendungen:", - "MessageNoAvailablePlugins": "Keine verf\u00fcgbaren Erweiterungen.", - "HeaderDownloadPeopleMetadataFor": "Lade Biografien und Bilder herunter f\u00fcr:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Videowiedergabe gestartet", - "LabelDeleteLeftOverFilesHelp": "Unterteile mit ;. Zum Beispiel: .nfo;.txt", - "LabelDisplayPluginsFor": "Zeige Plugins f\u00fcr:", - "OptionComposers": "Komponisten", "LabelRevenue": "Einnahmen ($):", - "NotificationOptionAudioPlayback": "Audiowiedergabe gestartet", - "OptionOverwriteExistingEpisodes": "\u00dcberschreibe vorhandene Episoden", - "OptionOthers": "Andere", "LabelOriginalAspectRatio": "Original Seitenverh\u00e4ltnis:", - "NotificationOptionGamePlayback": "Spielwiedergabe gestartet", - "LabelTransferMethod": "\u00dcbertragungsmethode", "LabelPlayers": "Schauspieler:", - "OptionCopy": "Kopieren", "Label3DFormat": "3D Format:", - "NotificationOptionNewLibraryContent": "Neuer Inhalt hinzugef\u00fcgt", - "OptionMove": "Verschieben", "HeaderAlternateEpisodeNumbers": "Alternative Episodennummern", - "NotificationOptionServerRestartRequired": "Serverneustart notwendig", - "LabelTransferMethodHelp": "Kopiere oder verschiebe Dateien aus dem \u00dcberwachungsverzeichnis", "HeaderSpecialEpisodeInfo": "Spezialepisoden Information", - "LabelMonitorUsers": "\u00dcberwache Aktivit\u00e4t von:", - "HeaderLatestNews": "Neueste Nachrichten", - "ValueSeriesNamePeriod": "Serien.Name", "HeaderExternalIds": "Externe Id's:", - "LabelSendNotificationToUsers": "Sende die Benachrichtigung an:", - "ValueSeriesNameUnderscore": "Serien_Name", - "TitleChannels": "Kanal", - "HeaderRunningTasks": "Laufende Aufgaben", - "HeaderConfirmDeletion": "Best\u00e4tige L\u00f6schung", - "ValueEpisodeNamePeriod": "Episodentitel", - "LabelChannelStreamQuality": "Bevorzugte Qualit\u00e4t des Internetstreams", - "HeaderActiveDevices": "Aktive Ger\u00e4te", - "ValueEpisodeNameUnderscore": "Episoden_Name", - "LabelChannelStreamQualityHelp": "In einer Umgebung mit langsamer Bandbreite kann die Beschr\u00e4nkung der Wiedergabequalit\u00e4t eine fl\u00fcssige Darstellung sichern.", - "HeaderPendingInstallations": "Ausstehende Installationen", - "HeaderTypeText": "Texteingabe", - "OptionBestAvailableStreamQuality": "Die besten verf\u00fcgbaren", - "LabelUseNotificationServices": "Nutze folgende Dienste:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Bearbeite dieses Benutzerprofil, das Benutzerbild und die pers\u00f6nlichen Einstellungen.", - "LabelEnableChannelContentDownloadingFor": "Aktiviere das herunterladen von Channel Inhalten f\u00fcr:", - "NotificationOptionApplicationUpdateAvailable": "Anwendungsaktualisierung verf\u00fcgbar", + "LabelDvdSeasonNumber": "DVD Staffelnummer:", + "LabelDvdEpisodeNumber": "DVD Episodennummer:", + "LabelAbsoluteEpisodeNumber": "Absolute Episodennummer:", + "LabelAirsBeforeSeason": "Ausstrahlungen vor Staffel:", + "LabelAirsAfterSeason": "Ausstrahlungen nach Staffel:", "LabelAirsBeforeEpisode": "Ausstrahlungen vor Episode:", "LabelTreatImageAs": "Bild behandeln, wie:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Anzeigereihenfolge:", "LabelDisplaySpecialsWithinSeasons": "Zeige Sonderinhalt innerhalb der Staffel in der er ausgestrahlt wurde", - "HeaderAddTag": "F\u00fcge Tag hinzu", - "LabelNativeExternalPlayersHelp": "Zeige Schaltfl\u00e4chen f\u00fcr Wiedergabe in externen Playern.", "HeaderCountries": "L\u00e4nder", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Handlungsstichworte", - "LabelEnableItemPreviews": "Aktiviere Vorschaubild f\u00fcr Eintrag", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadaten Einstellungen", - "LabelEnableItemPreviewsHelp": "Wenn aktiviert, wird bei bestimmten Darstellungen eine Vorschauen bei Klick angezeigt.", "LabelLockItemToPreventChanges": "Sperre diesen Eintrag um zuk\u00fcnftige \u00c4nderungen zu verhindern", - "LabelExternalPlayers": "Externe Abspielger\u00e4te:", "MessageLeaveEmptyToInherit": "Freilassen f\u00fcr die Vererbung von Berechtigungen oder dem systemweiten Standardwert.", - "LabelExternalPlayersHelp": "Zeige Buttons um Inhalt auf externen Ger\u00e4te abzuspielen. Dies ist nur auf Ger\u00e4ten verf\u00fcgbar, die URL Schemes unterst\u00fctzen (Generell Android und iOS). In Verbindung mit externen Abspielern gibt es generell keine Unterst\u00fctzung f\u00fcr die Fernbedienung oder die Fortsetzung von gesehenen Inhalten.", - "ButtonUnlockGuide": "Guide freischalten", + "TabDonate": "Spenden", "HeaderDonationType": "Spendentyp:", - "OptionMakeOneTimeDonation": "Mache eine separate Spende", - "OptionNoTrailer": "Kein Trailer", - "OptionNoThemeSong": "Kein Theme Song", - "OptionNoThemeVideo": "Kein Theme Video", - "LabelOneTimeDonationAmount": "Spendenbetrag:", - "ButtonLearnMore": "Erfahre mehr", - "ButtonLearnMoreAboutEmbyConnect": "Erfahren Sie mehr \u00fcber Emby-Connect", - "LabelNewUserNameHelp": "Benutzernamen k\u00f6nnen Zeichen (a-z), Zahlen (0-9), Striche (-), Unterstriche (_), Apostrophe (') und Punkte (.) enthalten.", - "OptionEnableExternalVideoPlayers": "Aktiviere externe Videoplayer", - "HeaderOptionalLinkEmbyAccount": "Optional: Verbinden Sie Ihr Emby Konto", - "LabelEnableInternetMetadataForTvPrograms": "Lade Internet Metadaten f\u00fcr:", - "LabelCustomDeviceDisplayName": "Angezeigter Name:", - "OptionTVMovies": "TV Filme", - "LabelCustomDeviceDisplayNameHelp": "Lege einen individuellen Anzeigenamen fest oder lasse das Feld leer, um den vom ger\u00e4t \u00fcbermittelten Namen zu nutzen.", - "HeaderInviteUser": "Lade Benutzer ein", - "HeaderUpcomingMovies": "Bevorstehende Filme", - "HeaderInviteUserHelp": "Das Tauschen von Medien mit Freunden ist mit Emby Connect leichter als jemals zuvor.", - "ButtonSendInvitation": "Sende Einladung", - "HeaderGuests": "G\u00e4ste", - "HeaderUpcomingPrograms": "Bevorstehende Programme", - "HeaderLocalUsers": "Lokale Benutzer", - "HeaderPendingInvitations": "Ausstehende Einladungen", - "LabelShowLibraryTileNames": "Zeige Bibliothek Kachelnamen.", - "LabelShowLibraryTileNamesHelp": "Legen Sie fest, ob Beschriftungen unter den Kacheln der Startseite angezeigt werden sollen.", - "TitleDevices": "Ger\u00e4te", - "TabCameraUpload": "Kamera-Upload", - "HeaderCameraUploadHelp": "Lade automatisch Fotos und Videos, die von Ihrem Mobilger\u00e4t gemacht wurden, nach Emby hoch.", - "TabPhotos": "Fotos", - "HeaderSchedule": "Zeitplan", - "MessageNoDevicesSupportCameraUpload": "Du hast bis jetzt keine Ger\u00e4t die den Kamera-Upload unterst\u00fctzen.", - "OptionEveryday": "T\u00e4glich", - "LabelCameraUploadPath": "Kamera-Upload Pfad:", - "OptionWeekdays": "W\u00f6chentlich", - "LabelCameraUploadPathHelp": "W\u00e4hle, falls gew\u00fcnscht, einen eigenen Upload Pfad. Wird keiner festgelegt, so wird der Standard-Pfad verwendet. Ein eigener Pfad muss zus\u00e4tzlich in der Medien Bibliothek hinzugef\u00fcgt werden!", - "OptionWeekends": "An Wochenenden", - "LabelCreateCameraUploadSubfolder": "Erstelle ein Unterverzeichnis f\u00fcr jedes Ger\u00e4t", - "MessageProfileInfoSynced": "Benutzerprofil Informationen mit Emby Connect synchronisiert", - "LabelCreateCameraUploadSubfolderHelp": "Bestimmte Verzeichnisse k\u00f6nnen Ger\u00e4ten durch einen Klick auf der Ger\u00e4teseite zugewiesen werden.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer Rolle", - "HeaderTrailerReel": "Trailer Rolle", - "OptionPlayUnwatchedTrailersOnly": "Spiele nur bisher nicht gesehene Trailer", - "HeaderTrailerReelHelp": "Starte eine Trailer Rolle, um dir eine lang andauernde Playlist mit Trailern anzuschauen.", - "TabDevices": "Ger\u00e4te", - "MessageNoTrailersFound": "Keine Trailer gefunden. Installieren Sie den Trailer-Channel um Ihre Film-Bibliothek mit Trailer aus dem Internet zu erweitern.", - "HeaderWelcomeToEmby": "Willkommen zu Emby", - "OptionAllowSyncContent": "Erlaube Synchronisation", - "LabelDateAddedBehavior": "Verhalten f\u00fcr Hinzuf\u00fcgedatum bei neuen Inhalten:", - "HeaderLibraryAccess": "Bibliothekszugriff", - "OptionDateAddedImportTime": "Benutze das Scandatum vom hinzuf\u00fcgen in die Bbliothek", - "EmbyIntroMessage": "Mit Emby k\u00f6nnen Sie auf auf einfache Art und Weise Videos, Musik und Fotos zu Smartphones, Tablets und anderen Ger\u00e4ten von Ihrem Emby-Server senden.", - "HeaderChannelAccess": "Channelzugriff", - "LabelEnableSingleImageInDidlLimit": "Begrenze auf ein eingebundenes Bild", - "OptionDateAddedFileTime": "Benutze das Erstellungsdatum der Datei", - "HeaderLatestItems": "Neueste Medien", - "LabelEnableSingleImageInDidlLimitHelp": "Einige Ger\u00e4te zeigen m\u00f6glicherweise Darstellungsfehler wenn mehrere Bilder mit Didl eingebunden wurden.", - "LabelDateAddedBehaviorHelp": "Wenn ein Metadatenwert vorhanden ist, wird dieser immer gegen\u00fcber den anderen Optionen bevorzugt werden.", - "LabelSelectLastestItemsFolders": "Beziehe Medien aus folgenden Sektionen in \"Neueste Medien\" mit ein", - "LabelNumberTrailerToPlay": "Anzahl der abzuspielenden Trailer:", - "ButtonSkip": "\u00dcberspringen", - "OptionAllowAudioPlaybackTranscoding": "Erlaube Audio-Wiedergabe die Transkodierung ben\u00f6tigt", - "OptionAllowVideoPlaybackTranscoding": "Erlaube Video-Wiedergabe die Transkodierung ben\u00f6tigt", - "NameSeasonUnknown": "Staffel unbekannt", - "NameSeasonNumber": "Staffel {0}", - "TextConnectToServerManually": "Verbinde manuell zum Server", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Untertitel Profil", - "LabelRemoteClientBitrateLimit": "Entfernte Client Datenraten-Begrenzung (Mbps):", - "HeaderSubtitleProfiles": "Untertitel Profile", - "OptionDisableUserPreferences": "Deaktiviere den Zugriff auf Benutzereinstellungen", - "HeaderSubtitleProfilesHelp": "Untertitel Profile beschreiben die vom Ger\u00e4t unterst\u00fctzten Untertitelformate.", - "OptionDisableUserPreferencesHelp": "Falls aktiviert, werden nur Administratoren die M\u00f6glichkeit haben, Benutzerbilder, Passw\u00f6rter und Spracheinstellungen zu bearbeiten.", - "LabelFormat": "Format:", - "HeaderSelectServer": "W\u00e4hle Server", - "ButtonConnect": "Verbinde", - "LabelRemoteClientBitrateLimitHelp": "Eine optionale Streaming Datengrenze f\u00fcr alle Clients mit Fernzugriff. Dies verhindert, dass Clients eine h\u00f6here Bandbreite als die zur Verf\u00fcgung stehende Verbindung, anfragen.", - "LabelMethod": "Methode:", - "MessageNoServersAvailableToConnect": "Keine Server sind f\u00fcr eine Verbindung verf\u00fcgbar. Falls du dazu eingeladen wurdest einen Server zu teilen, best\u00e4tige bitte die Einladung unten oder durch einen Aufruf des Links in der E-Mail.", - "LabelDidlMode": "DIDL Modus:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "Res Element", - "HeaderSignInWithConnect": "Anmelden mit Emby Connect", - "OptionEmbedSubtitles": "In Container eingebettet", - "OptionExternallyDownloaded": "Externer Download", - "LabelServerHost": "Adresse:", - "CinemaModeConfigurationHelp2": "Einzelne Benutzer erhalten die M\u00f6glichkeit den Kino-Modus in den eigenen Einstellungen zu deaktivieren.", + "OptionMakeOneTimeDonation": "Mache eine separate Spende", "OptionOneTimeDescription": "Dies ist eine zus\u00e4tzliche Spende an das Team, um deine Unterst\u00fctzung zu zeigen. Dies bringt dir keine zus\u00e4tzlichen Vorteile.", - "OptionHlsSegmentedSubtitles": "HLs segmentierte Untertitel", - "LabelEnableCinemaMode": "Aktiviere den Kino-Modus", + "OptionLifeTimeSupporterMembership": "Lebensl\u00e4ngliche Unterst\u00fctzer Mitgliedschaft", + "OptionYearlySupporterMembership": "J\u00e4hrliche Unterst\u00fctzer Mitgliedschaft", + "OptionMonthlySupporterMembership": "Monatliche Unterst\u00fctzer Mitgliedschaft", + "OptionNoTrailer": "Kein Trailer", + "OptionNoThemeSong": "Kein Theme Song", + "OptionNoThemeVideo": "Kein Theme Video", + "LabelOneTimeDonationAmount": "Spendenbetrag:", + "ButtonDonate": "Spenden", + "ButtonPurchase": "Kaufen", + "OptionActor": "Schauspieler", + "OptionComposer": "Komponist", + "OptionDirector": "Regisseur", + "OptionGuestStar": "Gaststar", + "OptionProducer": "Produzent", + "OptionWriter": "Drehbuchautor", "LabelAirDays": "Ausstrahlungstage:", - "HeaderCinemaMode": "Kino-Modus", "LabelAirTime": "Ausstrahlungszeit:", "HeaderMediaInfo": "Medieninformation", "HeaderPhotoInfo": "Fotoinformation", - "OptionAllowContentDownloading": "Erlaube Mediendownload", - "LabelServerHostHelp": "192.168.1.100 oder https:\/\/myserver.com", - "TabDonate": "Spenden", - "OptionLifeTimeSupporterMembership": "Lebensl\u00e4ngliche Unterst\u00fctzer Mitgliedschaft", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "J\u00e4hrliche Unterst\u00fctzer Mitgliedschaft", - "LabelConversionCpuCoreLimit": "CPU Kerne Limit:", - "OptionMonthlySupporterMembership": "Monatliche Unterst\u00fctzer Mitgliedschaft", - "LabelConversionCpuCoreLimitHelp": "Begrenzt die Anzahl der verwendeten CPU Kerne w\u00e4hrend der Konvertierung f\u00fcr die Synchronisation.", - "ButtonChangeServer": "Wechsel Server", - "OptionEnableFullSpeedConversion": "Aktiviere Hochleistung-Konvertierung.", - "OptionEnableFullSpeedConversionHelp": "Standardm\u00e4\u00dfig werden Synchronisations-Konvertierungen bei geringer Geschwindigkeit durchgef\u00fchrt um Ressourcen zu sparen.", - "HeaderConnectToServer": "Verbinde zu Server", - "LabelBlockContentWithTags": "Blockiere Inhalte mit Tags:", "HeaderInstall": "Installieren", "LabelSelectVersionToInstall": "W\u00e4hle die Version f\u00fcr die Installation:", "LinkSupporterMembership": "Erfahre mehr \u00fcber die Unterst\u00fctzer Mitgliedschaft", "MessageSupporterPluginRequiresMembership": "Dieses Plugin ben\u00f6tigt eine aktive Unterst\u00fctzer Mitgliedschaft nach dem Testzeitraum von 14 Tagen.", "MessagePremiumPluginRequiresMembership": "Dieses Plugin ben\u00f6tigt eine aktive Unterst\u00fctzer Mitgliedschaft nach dem Testzeitraum von 14 Tagen.", "HeaderReviews": "Bewertungen", - "LabelTagFilterMode": "Modus:", "HeaderDeveloperInfo": "Entwicklerinformationen", "HeaderRevisionHistory": "Versionsverlauf", "ButtonViewWebsite": "Besuche die Website", - "LabelTagFilterAllowModeHelp": "Wenn erlaubte Tags als Teil einer unter verzweigten Ordnerstruktur verwendet werden, m\u00fcssen \u00fcbergeordnete Verzeichnisse ebenso mit Tags versehen werden.", - "HeaderPlaylists": "Wiedergabeliste", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "aktiviere Drosselung", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Die Drosselung justiert die Transkodier-Geschwindigkeit, um die Server CPU Auslastung w\u00e4hrend der Wiedergabe zu minimieren.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Schauspieler", - "ButtonDonate": "Spenden", - "TitleNewUser": "Neuer Benutzer", - "OptionComposer": "Komponist", - "ButtonConfigurePassword": "Passwort konfigurieren", - "OptionDirector": "Regisseur", - "HeaderDashboardUserPassword": "Benutzerpassw\u00f6rter werden in den pers\u00f6nlichen Profileinstellungen der einzelnen Benutzer verwaltet.", - "OptionGuestStar": "Gaststar", - "OptionProducer": "Produzent", - "OptionWriter": "Drehbuchautor", "HeaderXmlSettings": "XML Einstellungen", "HeaderXmlDocumentAttributes": "XML-Dokument Eigenschaften", - "ButtonSignInWithConnect": "Anmelden mit Emby Connect", "HeaderXmlDocumentAttribute": "XML-Dokument Eigenschaft", "XmlDocumentAttributeListHelp": "Diese Attribute werden f\u00fcr das Stammelement jeder XML-Antwort angewendet.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Speichere Metadaten und Bilder als versteckte Dateien", - "HeaderNewServer": "Neuer Server", - "TabActivity": "Aktivit\u00e4t", - "TitleSync": "Synchronisation", - "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.", - "HeaderInvitations": "Einladungen", + "LabelExtractChaptersDuringLibraryScan": "Erzeuge Kapitelbilder w\u00e4hrend des scannens der Bibliothek", + "LabelExtractChaptersDuringLibraryScanHelp": "Fall aktiviert, werden Kapitelbilder w\u00e4hrend des Imports von Videos beim Bibliothekenscan erzeugt. Falls deaktiviert, werden die Kapitelbilder w\u00e4hrend einer eigens daf\u00fcr geplanten Aufgabe erstellt, was den Bibliothekenscan beschleunigt.", + "LabelConnectGuestUserName": "Ihr Emby Benutzername oder Emailadresse:", + "LabelConnectUserName": "Emby Benutzername\/ Email-Adresse:", + "LabelConnectUserNameHelp": "Verbinden Sie diesen Benutzer mit einem Emby Konto um eine leichte erleichterte Verbindung ohne der Kenntnis einer Server IP Adresse zu erm\u00f6glichen.", + "ButtonLearnMoreAboutEmbyConnect": "Erfahren Sie mehr \u00fcber Emby-Connect", + "LabelExternalPlayers": "Externe Abspielger\u00e4te:", + "LabelExternalPlayersHelp": "Zeige Buttons um Inhalt auf externen Ger\u00e4te abzuspielen. Dies ist nur auf Ger\u00e4ten verf\u00fcgbar, die URL Schemes unterst\u00fctzen (Generell Android und iOS). In Verbindung mit externen Abspielern gibt es generell keine Unterst\u00fctzung f\u00fcr die Fernbedienung oder die Fortsetzung von gesehenen Inhalten.", + "LabelNativeExternalPlayersHelp": "Zeige Schaltfl\u00e4chen f\u00fcr Wiedergabe in externen Playern.", + "LabelEnableItemPreviews": "Aktiviere Vorschaubild f\u00fcr Eintrag", + "LabelEnableItemPreviewsHelp": "Wenn aktiviert, wird bei bestimmten Darstellungen eine Vorschauen bei Klick angezeigt.", + "HeaderSubtitleProfile": "Untertitel Profil", + "HeaderSubtitleProfiles": "Untertitel Profile", + "HeaderSubtitleProfilesHelp": "Untertitel Profile beschreiben die vom Ger\u00e4t unterst\u00fctzten Untertitelformate.", + "LabelFormat": "Format:", + "LabelMethod": "Methode:", + "LabelDidlMode": "DIDL Modus:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "Res Element", + "OptionEmbedSubtitles": "In Container eingebettet", + "OptionExternallyDownloaded": "Externer Download", + "OptionHlsSegmentedSubtitles": "HLs segmentierte Untertitel", "LabelSubtitleFormatHelp": "Beispiel: srt", + "ButtonLearnMore": "Erfahre mehr", + "TabPlayback": "Wiedergabe", "HeaderLanguagePreferences": "Spracheinstellungen", "TabCinemaMode": "Kino-Modus", "TitlePlayback": "Wiedergabe", "LabelEnableCinemaModeFor": "Aktiviere Kino-Modus f\u00fcr:", "CinemaModeConfigurationHelp": "Der Kino-Modus bringt das Kinoerlebnis direkt in dein Wohnzimmer, mit der F\u00e4higkeit Trailer und benutzerdefinierte Intros vor dem Hauptfilm zu spielen.", - "LabelExtractChaptersDuringLibraryScan": "Erzeuge Kapitelbilder w\u00e4hrend des scannens der Bibliothek", - "OptionReportList": "Listenanzeige", "OptionTrailersFromMyMovies": "Trailer von Filmen in meine Bibliothek einbeziehen", "OptionUpcomingMoviesInTheaters": "Trailer von neuen und erscheinenden Filmen einbeziehen", - "LabelExtractChaptersDuringLibraryScanHelp": "Fall aktiviert, werden Kapitelbilder w\u00e4hrend des Imports von Videos beim Bibliothekenscan erzeugt. Falls deaktiviert, werden die Kapitelbilder w\u00e4hrend einer eigens daf\u00fcr geplanten Aufgabe erstellt, was den Bibliothekenscan beschleunigt.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Diese Funktion ben\u00f6tigt eine aktive Unterst\u00fctzer Mitgliedschaft und die Installation des Trailer Channel Plugins.", "LabelLimitIntrosToUnwatchedContent": "Benutze nur Trailer von nicht gesehenen Inhalten", - "OptionReportStatistics": "Statistik", - "LabelSelectInternetTrailersForCinemaMode": "Internet Trailer:", "LabelEnableIntroParentalControl": "Aktiviere die smarte Kindersicherung", - "OptionUpcomingDvdMovies": "Beinhaltet Trailer von neuen und erscheinenden Filmen auf DVD & Blu-ray", "LabelEnableIntroParentalControlHelp": "Es werden nur Trailer ausgew\u00e4hlt, die der Altersfreigabe des Inhalts entsprechen der angesehen wird.", - "HeaderThisUserIsCurrentlyDisabled": "Dieser Benutzer ist aktuell deaktiviert", - "OptionUpcomingStreamingMovies": "Beinhaltet Trailer von neuen und erscheinenden Filmen auf Netflix", - "HeaderNewUsers": "Neue Benutzer", - "HeaderUpcomingSports": "Folgende Sportveranstaltungen", - "OptionReportGrouping": "Gruppierung", - "LabelDisplayTrailersWithinMovieSuggestions": "Zeigt Trailer innerhalb von Filmvorschl\u00e4gen", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Diese Funktion ben\u00f6tigt eine aktive Unterst\u00fctzer Mitgliedschaft und die Installation des Trailer Channel Plugins.", "OptionTrailersFromMyMoviesHelp": "Ben\u00f6tigt die Einrichtung lokaler Trailer.", - "ButtonSignUp": "Anmeldung", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Ben\u00f6tigt die Installation des Trailer Channels.", "LabelCustomIntrosPath": "Benutzerdefinierter Pfad f\u00fcr Intros:", - "MessageReenableUser": "F\u00fcr Reaktivierung schauen Sie unten", "LabelCustomIntrosPathHelp": "Ein Ordner der Videodateien beinhaltet. Ein Video wird zuf\u00e4llig ausgew\u00e4hlt und nach einem Trailer abgespielt.", - "LabelUploadSpeedLimit": "Upload Geschwindigkeitslimit (Mbps):", - "TabPlayback": "Wiedergabe", - "OptionAllowSyncTranscoding": "Erlaube Synchronisation die Transkodierung ben\u00f6tigen", - "LabelConnectUserName": "Emby Benutzername\/ Email-Adresse:", - "LabelConnectUserNameHelp": "Verbinden Sie diesen Benutzer mit einem Emby Konto um eine leichte erleichterte Verbindung ohne der Kenntnis einer Server IP Adresse zu erm\u00f6glichen.", - "HeaderPlayback": "Medien Wiedergabe", - "HeaderViewStyles": "Zeige Stiele", - "TabJobs": "Aufgaben", - "TabSyncJobs": "Synchronisations-Aufgaben", - "LabelSelectViewStyles": "Aktiviere erweiterte Ansichten f\u00fcr:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Benutzer werden, basierend auf deren Einstellungen, eine aussagekr\u00e4ftige Nachricht erhalten, wenn Inhalte nicht abgespielt werden k\u00f6nnen.", - "LabelSelectViewStylesHelp": "Wenn aktiviert werden Darstellungen von Kategorien mit Medieninformationen wie Empfehlungen, k\u00fcrzlich hinzugef\u00fcgt, Genres und weitere, angereichert. Wenn deaktiviert werden diese nur als simple Verzeichnisse dargestellt.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Kaufen", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Passwort vergessen", - "LabelConnectGuestUserName": "Ihr Emby Benutzername oder Emailadresse:", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Internet Trailer:", + "OptionUpcomingDvdMovies": "Beinhaltet Trailer von neuen und erscheinenden Filmen auf DVD & Blu-ray", + "OptionUpcomingStreamingMovies": "Beinhaltet Trailer von neuen und erscheinenden Filmen auf Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Zeigt Trailer innerhalb von Filmvorschl\u00e4gen", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Ben\u00f6tigt die Installation des Trailer Channels.", + "CinemaModeConfigurationHelp2": "Einzelne Benutzer erhalten die M\u00f6glichkeit den Kino-Modus in den eigenen Einstellungen zu deaktivieren.", + "LabelEnableCinemaMode": "Aktiviere den Kino-Modus", + "HeaderCinemaMode": "Kino-Modus", + "LabelDateAddedBehavior": "Verhalten f\u00fcr Hinzuf\u00fcgedatum bei neuen Inhalten:", + "OptionDateAddedImportTime": "Benutze das Scandatum vom hinzuf\u00fcgen in die Bbliothek", + "OptionDateAddedFileTime": "Benutze das Erstellungsdatum der Datei", + "LabelDateAddedBehaviorHelp": "Wenn ein Metadatenwert vorhanden ist, wird dieser immer gegen\u00fcber den anderen Optionen bevorzugt werden.", + "LabelNumberTrailerToPlay": "Anzahl der abzuspielenden Trailer:", + "TitleDevices": "Ger\u00e4te", + "TabCameraUpload": "Kamera-Upload", + "TabDevices": "Ger\u00e4te", + "HeaderCameraUploadHelp": "Lade automatisch Fotos und Videos, die von Ihrem Mobilger\u00e4t gemacht wurden, nach Emby hoch.", + "MessageNoDevicesSupportCameraUpload": "Du hast bis jetzt keine Ger\u00e4t die den Kamera-Upload unterst\u00fctzen.", + "LabelCameraUploadPath": "Kamera-Upload Pfad:", + "LabelCameraUploadPathHelp": "W\u00e4hle, falls gew\u00fcnscht, einen eigenen Upload Pfad. Wird keiner festgelegt, so wird der Standard-Pfad verwendet. Ein eigener Pfad muss zus\u00e4tzlich in der Medien Bibliothek hinzugef\u00fcgt werden!", + "LabelCreateCameraUploadSubfolder": "Erstelle ein Unterverzeichnis f\u00fcr jedes Ger\u00e4t", + "LabelCreateCameraUploadSubfolderHelp": "Bestimmte Verzeichnisse k\u00f6nnen Ger\u00e4ten durch einen Klick auf der Ger\u00e4teseite zugewiesen werden.", + "LabelCustomDeviceDisplayName": "Angezeigter Name:", + "LabelCustomDeviceDisplayNameHelp": "Lege einen individuellen Anzeigenamen fest oder lasse das Feld leer, um den vom ger\u00e4t \u00fcbermittelten Namen zu nutzen.", + "HeaderInviteUser": "Lade Benutzer ein", "LabelConnectGuestUserNameHelp": "Dies ist der Benutzername oder die Emailadresse die Ihr Freund verwendet um sich auf der Emby Website anzumelden.", + "HeaderInviteUserHelp": "Das Tauschen von Medien mit Freunden ist mit Emby Connect leichter als jemals zuvor.", + "ButtonSendInvitation": "Sende Einladung", + "HeaderSignInWithConnect": "Anmelden mit Emby Connect", + "HeaderGuests": "G\u00e4ste", + "HeaderLocalUsers": "Lokale Benutzer", + "HeaderPendingInvitations": "Ausstehende Einladungen", + "TabParentalControl": "Kindersicherung", + "HeaderAccessSchedule": "Zugangsplan", + "HeaderAccessScheduleHelp": "Erstelle einen Zugangsplan, um den Zugriff auf bestimmte Zeiten zu limitieren.", + "ButtonAddSchedule": "Plan hinzuf\u00fcgen", + "LabelAccessDay": "Wochentag:", + "LabelAccessStart": "Startzeit:", + "LabelAccessEnd": "Endzeit:", + "HeaderSchedule": "Zeitplan", + "OptionEveryday": "T\u00e4glich", + "OptionWeekdays": "W\u00f6chentlich", + "OptionWeekends": "An Wochenenden", + "MessageProfileInfoSynced": "Benutzerprofil Informationen mit Emby Connect synchronisiert", + "HeaderOptionalLinkEmbyAccount": "Optional: Verbinden Sie Ihr Emby Konto", + "ButtonTrailerReel": "Trailer Rolle", + "HeaderTrailerReel": "Trailer Rolle", + "OptionPlayUnwatchedTrailersOnly": "Spiele nur bisher nicht gesehene Trailer", + "HeaderTrailerReelHelp": "Starte eine Trailer Rolle, um dir eine lang andauernde Playlist mit Trailern anzuschauen.", + "MessageNoTrailersFound": "Keine Trailer gefunden. Installieren Sie den Trailer-Channel um Ihre Film-Bibliothek mit Trailer aus dem Internet zu erweitern.", + "HeaderNewUsers": "Neue Benutzer", + "ButtonSignUp": "Anmeldung", "ButtonForgotPassword": "Passwort vergessen", + "OptionDisableUserPreferences": "Deaktiviere den Zugriff auf Benutzereinstellungen", + "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 bitte die Einladung unten oder durch einen Aufruf des Links in der E-Mail.", + "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.", + "HeaderInvitations": "Einladungen", "LabelForgotPasswordUsernameHelp": "Bitte gib deinen Benutzernamen ein, falls du dich daran erinnerst.", + "HeaderForgotPassword": "Passwort vergessen", "TitleForgotPassword": "Passwort vergessen", "TitlePasswordReset": "Passwort zur\u00fccksetzen", - "TabParentalControl": "Kindersicherung", "LabelPasswordRecoveryPinCode": "PIN-Code:", - "HeaderAccessSchedule": "Zugangsplan", "HeaderPasswordReset": "Passwort zur\u00fccksetzen", - "HeaderAccessScheduleHelp": "Erstelle einen Zugangsplan, um den Zugriff auf bestimmte Zeiten zu limitieren.", "HeaderParentalRatings": "Altersbeschr\u00e4nkung", - "ButtonAddSchedule": "Plan hinzuf\u00fcgen", "HeaderVideoTypes": "Videotypen", - "LabelAccessDay": "Wochentag:", "HeaderYears": "Jahre", - "LabelAccessStart": "Startzeit:", - "LabelAccessEnd": "Endzeit:", - "LabelDvdSeasonNumber": "DVD Staffelnummer:", + "HeaderAddTag": "F\u00fcge Tag hinzu", + "LabelBlockContentWithTags": "Blockiere Inhalte mit Tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Begrenze auf ein eingebundenes Bild", + "LabelEnableSingleImageInDidlLimitHelp": "Einige Ger\u00e4te zeigen m\u00f6glicherweise Darstellungsfehler wenn mehrere Bilder mit Didl eingebunden wurden.", + "TabActivity": "Aktivit\u00e4t", + "TitleSync": "Synchronisation", + "OptionAllowSyncContent": "Erlaube Synchronisation", + "OptionAllowContentDownloading": "Erlaube Mediendownload", + "NameSeasonUnknown": "Staffel unbekannt", + "NameSeasonNumber": "Staffel {0}", + "LabelNewUserNameHelp": "Benutzernamen k\u00f6nnen Zeichen (a-z), Zahlen (0-9), Striche (-), Unterstriche (_), Apostrophe (') und Punkte (.) enthalten.", + "TabJobs": "Aufgaben", + "TabSyncJobs": "Synchronisations-Aufgaben", + "LabelTagFilterMode": "Modus:", + "LabelTagFilterAllowModeHelp": "Wenn erlaubte Tags als Teil einer unter verzweigten Ordnerstruktur verwendet werden, m\u00fcssen \u00fcbergeordnete Verzeichnisse ebenso mit Tags versehen werden.", + "HeaderThisUserIsCurrentlyDisabled": "Dieser Benutzer ist aktuell deaktiviert", + "MessageReenableUser": "F\u00fcr Reaktivierung schauen Sie unten", + "LabelEnableInternetMetadataForTvPrograms": "Lade Internet Metadaten f\u00fcr:", + "OptionTVMovies": "TV Filme", + "HeaderUpcomingMovies": "Bevorstehende Filme", + "HeaderUpcomingSports": "Folgende Sportveranstaltungen", + "HeaderUpcomingPrograms": "Bevorstehende Programme", + "ButtonMoreItems": "Mehr", + "LabelShowLibraryTileNames": "Zeige Bibliothek Kachelnamen.", + "LabelShowLibraryTileNamesHelp": "Legen Sie fest, ob Beschriftungen unter den Kacheln der Startseite angezeigt werden sollen.", + "OptionEnableTranscodingThrottle": "aktiviere Drosselung", + "OptionEnableTranscodingThrottleHelp": "Die Drosselung justiert die Transkodier-Geschwindigkeit, um die Server CPU Auslastung w\u00e4hrend der Wiedergabe zu minimieren.", + "LabelUploadSpeedLimit": "Upload Geschwindigkeitslimit (Mbps):", + "OptionAllowSyncTranscoding": "Erlaube Synchronisation die Transkodierung ben\u00f6tigen", + "HeaderPlayback": "Medien Wiedergabe", + "OptionAllowAudioPlaybackTranscoding": "Erlaube Audio-Wiedergabe die Transkodierung ben\u00f6tigt", + "OptionAllowVideoPlaybackTranscoding": "Erlaube Video-Wiedergabe die Transkodierung ben\u00f6tigt", + "OptionAllowMediaPlaybackTranscodingHelp": "Benutzer werden, basierend auf deren Einstellungen, eine aussagekr\u00e4ftige Nachricht erhalten, wenn Inhalte nicht abgespielt werden k\u00f6nnen.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Entfernte Client Datenraten-Begrenzung (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "Eine optionale Streaming Datengrenze f\u00fcr alle Clients mit Fernzugriff. Dies verhindert, dass Clients eine h\u00f6here Bandbreite als die zur Verf\u00fcgung stehende Verbindung, anfragen.", + "LabelConversionCpuCoreLimit": "CPU Kerne Limit:", + "LabelConversionCpuCoreLimitHelp": "Begrenzt die Anzahl der verwendeten CPU Kerne w\u00e4hrend der Konvertierung f\u00fcr die Synchronisation.", + "OptionEnableFullSpeedConversion": "Aktiviere Hochleistung-Konvertierung.", + "OptionEnableFullSpeedConversionHelp": "Standardm\u00e4\u00dfig werden Synchronisations-Konvertierungen bei geringer Geschwindigkeit durchgef\u00fchrt um Ressourcen zu sparen.", + "HeaderPlaylists": "Wiedergabeliste", + "HeaderViewStyles": "Zeige Stiele", + "LabelSelectViewStyles": "Aktiviere erweiterte Ansichten f\u00fcr:", + "LabelSelectViewStylesHelp": "Wenn aktiviert werden Darstellungen von Kategorien mit Medieninformationen wie Empfehlungen, k\u00fcrzlich hinzugef\u00fcgt, Genres und weitere, angereichert. Wenn deaktiviert werden diese nur als simple Verzeichnisse dargestellt.", + "TabPhotos": "Fotos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Willkommen zu Emby", + "EmbyIntroMessage": "Mit Emby k\u00f6nnen Sie auf auf einfache Art und Weise Videos, Musik und Fotos zu Smartphones, Tablets und anderen Ger\u00e4ten von Ihrem Emby-Server senden.", + "ButtonSkip": "\u00dcberspringen", + "TextConnectToServerManually": "Verbinde manuell zum Server", + "ButtonSignInWithConnect": "Anmelden mit Emby Connect", + "ButtonConnect": "Verbinde", + "LabelServerHost": "Adresse:", + "LabelServerHostHelp": "192.168.1.100 oder https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "Neuer Server", + "ButtonChangeServer": "Wechsel Server", + "HeaderConnectToServer": "Verbinde zu Server", + "OptionReportList": "Listenanzeige", + "OptionReportStatistics": "Statistik", + "OptionReportGrouping": "Gruppierung", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "DVD Episodennummer:", - "LabelAbsoluteEpisodeNumber": "Absolute Episodennummer:", - "LabelAirsBeforeSeason": "Ausstrahlungen vor Staffel:", "HeaderColumns": "Spalten", - "LabelAirsAfterSeason": "Ausstrahlungen nach Staffel:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Aktiviere externe Videoplayer", + "ButtonUnlockGuide": "Guide freischalten", + "LabelEnableFullScreen": "Aktiviere Vollbild", + "LabelEnableChromecastAc3Passthrough": "Aktiviere direkte Chromcast AC3 Weiterleitung", + "LabelSyncPath": "Pfad der synchronisierten Medien:", + "LabelEmail": "Email:", + "LabelUsername": "Benutzername:", + "HeaderSignUp": "Anmelden", + "LabelPasswordConfirm": "Passwort (Best\u00e4tigung):", + "ButtonAddServer": "Server hinzuf\u00fcgen", + "TabHomeScreen": "Startseite", + "HeaderDisplay": "Anzeigen", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "Diese Einstellungen werden mit allen Ger\u00e4ten geteilt" } \ 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 0ec5d57b8b..3516646814 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/el.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/el.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "\u039a\u03b1\u03bb\u03c9\u03c2 \u03ae\u03c1\u03b8\u03b1\u03c4\u03b5 \u03c3\u03c4\u03bf Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "\u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "\u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b5\u03b9\u03c3\u03ad\u03bb\u03b8\u03b5\u03c4\u03b5", - "LabelUser": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b7\u03c2:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "\u0386\u03bb\u03bb\u03b1", - "LabelPassword": "\u039a\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "\u0395\u03c0\u03b9\u03c3\u03ba\u03ad\u03c8\u03bf\u03c5 \u03c4\u03b7 \u03a3\u03b5\u03bb\u03af\u03b4\u03b1 \u03c4\u03bf\u03c5 Emby", - "ButtonManualLogin": "\u03a7\u03b5\u03b9\u03c1\u03bf\u03ba\u03af\u03bd\u03b7\u03c4\u03b7 \u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "\u0391\u03bd\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 ", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "\u0391\u03bd\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 \u03bd\u03ad\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "\u0391\u03c0\u03bf\u03b8\u03ad\u03c3\u03c4\u03b5 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1 \u03b5\u03b4\u03ce", - "OptionDownloadArtImage": "\u03a4\u03ad\u03c7\u03bd\u03b7", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "\u03a0\u03c1\u03bf\u03c4\u03b5\u03b9\u03bd\u03cc\u03bc\u03b5\u03bd\u03bf 1:1 Aspect Ratio. JPG\/PNG \u03bc\u03cc\u03bd\u03bf", - "OptionDownloadPrimaryImage": "\u03a0\u03c1\u03ce\u03c4\u03bf", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "\u03a4\u03af\u03c0\u03bf\u03c4\u03b1 \u03b5\u03b4\u03ce ", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b5\u03be\u03b1\u03c3\u03c6\u03b1\u03bb\u03af\u03c3\u03c4\u03b5 \u03c4\u03b7 \u03bb\u03ae\u03c8\u03b7 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd \u03c3\u03c4\u03bf internet \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03b7\u03bc\u03ad\u03bd\u03b7.\n", - "HeaderImageSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2", - "TabSuggested": "\u03a0\u03c1\u03bf\u03c4\u03b5\u03b9\u03bd\u03cc\u03bc\u03b5\u03bd\u03b7", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf\u03c2", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "\u0395\u03c0\u03b5\u03c1\u03c7\u03cc\u03bc\u03b5\u03bd\u03b7", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u0395\u03af\u03b4\u03b7", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u0386\u03bd\u03b8\u03c1\u03c9\u03c0\u03bf\u03b9 ", - "ButtonAdd": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5", - "TabNetworks": "\u0394\u03af\u03ba\u03c4\u03c5\u03b1", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "\u039a\u03b1\u03b8\u03b7\u03bc\u03b5\u03c1\u03b9\u03bd\u03ac", - "OptionWeekly": "\u0395\u03b2\u03b4\u03bf\u03bc\u03b1\u03b4\u03b9\u03b1\u03af\u03b1", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "\u0392\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "\u0397\u03bc\u03ad\u03c1\u03b1:", - "LabelTime": "\u038f\u03c1\u03b1:", - "OptionRelease": "\u0397 \u03b5\u03c0\u03af\u03c3\u03b7\u03bc\u03b7 \u03ad\u03ba\u03b4\u03bf\u03c3\u03b7", - "LabelEvent": "\u0393\u03b5\u03b3\u03bf\u03bd\u03cc\u03c2:", - "OptionBeta": "\u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae", - "OptionWakeFromSleep": "\u0395\u03c0\u03b1\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b7", - "ButtonInviteUser": "\u03a0\u03c1\u03cc\u03c3\u03ba\u03bb\u03b7\u03c3\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", - "OptionDev": "\u0391\u03bd\u03ac\u03c0\u03c4\u03c5\u03be\u03b7 (\u03b1\u03c3\u03c4\u03b1\u03b8\u03ae\u03c2)", - "LabelEveryXMinutes": "\u039a\u03ac\u03b8\u03b5:", - "HeaderTvTuners": "Tuners", - "CategorySync": "\u03a3\u03c5\u03c7\u03c1\u03bf\u03bd\u03b9\u03c3\u03bc\u03cc\u03c2", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", - "RegisterWithPayPal": "\u0395\u03b3\u03b3\u03c1\u03b1\u03c6\u03ae \u03bc\u03b5 Paypal", - "HeaderRecentlyPlayedGames": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1 \u03c0\u03bf\u03c5 \u03c0\u03b1\u03af\u03c7\u03c4\u03b7\u03ba\u03b1\u03bd", - "TabGameSystems": "Game Systems", - "TitleMediaLibrary": "\u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", - "TabFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9", - "TabPathSubstitution": "Path Substitution", - "LabelSeasonZeroDisplayName": "Season 0 display name:", - "LabelEnableRealtimeMonitor": "Enable real time monitoring", - "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.", - "ButtonScanLibrary": "\u03a8\u03ac\u03be\u03b5 \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", - "HeaderNumberOfPlayers": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03ac\u03bc\u03bc\u03b1\u03c4\u03b1 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2:", - "OptionAnyNumberOfPlayers": "\u038c\u03bb\u03b1", + "LabelExit": "\u0388\u03be\u03bf\u03b4\u03bf\u03c2", + "LabelVisitCommunity": "\u039a\u03bf\u03b9\u03bd\u03cc\u03c4\u03b7\u03c4\u03b1", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u03a0\u03c1\u03cc\u03c4\u03c5\u03c0\u03bf", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "\u03a0\u03b7\u03b3\u03ad\u03c2 \u03a0\u03c1\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03b9\u03c3\u03c4\u03ae", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", - "HeaderThemeVideos": "\u0398\u03b5\u03bc\u03b1\u03c4\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "HeaderThemeSongs": "\u0398\u03b5\u03bc\u03b1\u03c4\u03b9\u03ba\u03ac \u03a4\u03c1\u03b1\u03b3\u03bf\u03cd\u03b4\u03b9\u03b1", - "HeaderScenes": "\u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", - "HeaderAwardsAndReviews": "\u0392\u03c1\u03b1\u03b2\u03b5\u03af\u03b1 \u03ba\u03b1\u03b9 \u0392\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1", - "HeaderSoundtracks": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae \u03a4\u03b1\u03b9\u03bd\u03af\u03b1\u03c2", - "LabelManagement": "Management:", - "HeaderMusicVideos": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf \u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae\u03c2", - "HeaderSpecialFeatures": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b5\u03c2 \u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", + "LabelBrowseLibrary": "\u03a0\u03b5\u03c1\u03b9\u03b7\u03b3\u03b7\u03b8\u03b5\u03af\u03c4\u03b5 \u03c3\u03c4\u03b7 \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", + "LabelConfigureServer": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 Emby", + "LabelOpenLibraryViewer": "\u03b1\u03bd\u03bf\u03af\u03be\u03b5\u03c4\u03b5 \u03c4\u03b7\u03bd \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03b8\u03b5\u03b1\u03c4\u03ae", + "LabelRestartServer": "\u0395\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae", + "LabelShowLogWindow": "\u0391\u03c1\u03c7\u03b5\u03af\u03bf \u039a\u03b1\u03c4\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae\u03c2", + "LabelPrevious": "\u03c0\u03c1\u03bf\u03b7\u03b3\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf\u03c2", + "LabelFinish": "\u03a4\u03ad\u03bb\u03bf\u03c2", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u0395\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf", + "LabelYoureDone": "\u0395\u03af\u03c3\u03c4\u03b5 \u0388\u03c4\u03bf\u03b9\u03bc\u03bf\u03b9!", + "WelcomeToProject": "\u039a\u03b1\u03bb\u03c9\u03c2 \u03ae\u03c1\u03b8\u03b1\u03c4\u03b5 \u03c3\u03c4\u03bf Emby!", + "ThisWizardWillGuideYou": "\u0391\u03c5\u03c4\u03cc\u03c2 \u03bf \u03bf\u03b4\u03b7\u03b3\u03cc\u03c2 \u03b8\u03b1 \u03c3\u03b1\u03c2 \u03ba\u03b1\u03b8\u03bf\u03b4\u03b7\u03b3\u03ae\u03c3\u03b5\u03b9 \u03bc\u03ad\u03c3\u03c9 \u03c4\u03b7\u03c2 \u03b4\u03b9\u03b1\u03b4\u03b9\u03ba\u03b1\u03c3\u03af\u03b1\u03c2 \u03b5\u03b3\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7\u03c2. \u0393\u03b9\u03b1 \u03bd\u03b1 \u03be\u03b5\u03ba\u03b9\u03bd\u03ae\u03c3\u03b5\u03c4\u03b5, \u03b5\u03c0\u03b9\u03bb\u03ad\u03be\u03c4\u03b5 \u03c4\u03b7 \u03b3\u03bb\u03ce\u03c3\u03c3\u03b1 \u03c4\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03ae\u03c2 \u03c3\u03b1\u03c2.", + "TellUsAboutYourself": "\u03a0\u03b5\u03af\u03c4\u03b5 \u03bc\u03b1\u03c2 \u03b3\u03b9\u03b1 \u03b5\u03c3\u03ac\u03c2", + "ButtonQuickStartGuide": "\u039f\u03b4\u03b7\u03b3\u03cc\u03c2 \u03b3\u03c1\u03ae\u03b3\u03bf\u03c1\u03b7\u03c2 \u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7\u03c2", + "LabelYourFirstName": "\u03a4\u03bf \u03cc\u03bd\u03bf\u03bc\u03ac \u03c3\u03b1\u03c2", + "MoreUsersCanBeAddedLater": "\u03a0\u03b5\u03c1\u03b9\u03c3\u03c3\u03cc\u03c4\u03b5\u03c1\u03bf\u03c5\u03c2 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 \u03bc\u03c0\u03bf\u03c1\u03bf\u03cd\u03bd \u03bd\u03b1 \u03c0\u03c1\u03bf\u03c3\u03c4\u03b5\u03b8\u03bf\u03cd\u03bd \u03b1\u03c1\u03b3\u03cc\u03c4\u03b5\u03c1\u03b1 \u03bc\u03b5 \u03c4\u03bf \u03c4\u03b1\u03bc\u03c0\u03bb\u03cc", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "\u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 Windows", + "AWindowsServiceHasBeenInstalled": "\u039c\u03b9\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 Windows \u03ad\u03c7\u03b5\u03b9 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03b8\u03b5\u03af", + "WindowsServiceIntro1": "\u039f \u0394\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c2 Emby \u03ba\u03b1\u03bd\u03bf\u03bd\u03b9\u03ba\u03ac \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03b5\u03af \u03c3\u03b1\u03bd \u03bc\u03b9\u03b1 \u03b5\u03c6\u03b1\u03c1\u03bc\u03bf\u03b3\u03ae \u03bc\u03b5 \u03b5\u03b9\u03ba\u03bf\u03bd\u03af\u03b4\u03b9\u03bf, \u03b1\u03bb\u03bb\u03ac \u03b1\u03bd \u03c0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ac\u03c4\u03b5 \u03bd\u03b1 \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03b5\u03af \u03c3\u03b1\u03bd \u03bc\u03b9\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 \u03c3\u03c4\u03bf \u03b2\u03ac\u03b8\u03bf\u03c2, \u03bc\u03c0\u03bf\u03c1\u03b5\u03af \u03bd\u03b1 \u03b5\u03ba\u03ba\u03b9\u03bd\u03b7\u03b8\u03b5\u03af \u03b1\u03c0\u03cc \u03c4\u03bf\u03bd \u03c0\u03af\u03bd\u03b1\u03ba\u03b1 \u03b5\u03bb\u03ad\u03b3\u03c7\u03bf\u03c5 \u03c4\u03c9\u03bd \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03b9\u03ce\u03bd \u03c4\u03c9\u03bd Windows", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u0394\u03b9\u03b1\u03bc\u03bf\u03c1\u03c6\u03ce\u03c3\u03b5\u03c4\u03b5 \u03c4\u03b9\u03c2 \u03c1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2", + "LabelEnableVideoImageExtraction": "\u0395\u03be\u03b1\u03b3\u03c9\u03b3\u03ae \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2 \u03b1\u03c0\u03cc \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "VideoImageExtractionHelp": "\u0393\u03b9\u03b1 \u03c4\u03b1 \u03b2\u03af\u03bd\u03c4\u03b5\u03bf \u03c0\u03bf\u03c5 \u03b4\u03b5\u03bd \u03ad\u03c7\u03bf\u03c5\u03bd \u03ae\u03b4\u03b7 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b5\u03c2, \u03ba\u03b1\u03b9 \u03b4\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03ad\u03c3\u03b1\u03bc\u03b5 \u03bd\u03b1 \u03b2\u03c1\u03bf\u03cd\u03bc\u03b5 \u03c3\u03c4\u03bf \u03b4\u03b9\u03b1\u03b4\u03af\u03ba\u03c4\u03c5\u03bf. \u0391\u03c5\u03c4\u03cc \u03b8\u03b1 \u03ba\u03b1\u03b8\u03c5\u03c3\u03c4\u03b5\u03c1\u03ae\u03c3\u03b5\u03b9 \u03bb\u03af\u03b3\u03bf \u03c4\u03b7\u03bd \u03b1\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7 \u03c3\u03c4\u03b7\u03bd \u03b1\u03c1\u03c7\u03b9\u03ba\u03ae \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03b1\u03bb\u03bb\u03b1 \u03b8\u03b1 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b7 \u03c4\u03b5\u03bb\u03b9\u03ba\u03ae \u03bc\u03bf\u03c1\u03c6\u03ae \u03c0\u03b9\u03bf \u03cc\u03bc\u03bf\u03c1\u03c6\u03b7.", + "LabelEnableChapterImageExtractionForMovies": "\u0395\u03be\u03b1\u03b3\u03c9\u03b3\u03ae \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2 \u039a\u03b5\u03c6\u03b1\u03bb\u03bb\u03b1\u03af\u03c9\u03bd \u03b3\u03b9\u03b1 \u03c4\u03b9\u03c2 \u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "\u0395\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03c4\u03b7\u03c2 \u03b1\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b7\u03c2 \u03ba\u03b1\u03c4\u03b1\u03c7\u03ce\u03c1\u03b7\u03c3\u03b7\u03c2 \u0398\u03c5\u03c1\u03ce\u03bd", + "LabelEnableAutomaticPortMappingHelp": "To UPnP \u03b5\u03c0\u03b9\u03c4\u03c1\u03ad\u03c0\u03b5\u03b9 \u03c4\u03b7\u03bd \u03b1\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b7 \u03c1\u03cd\u03b8\u03bc\u03b9\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03b4\u03c1\u03bf\u03bc\u03bf\u03bb\u03bf\u03b3\u03b7\u03c4\u03ae \u03b3\u03b9\u03b1 \u03b5\u03cd\u03ba\u03bf\u03bb\u03b7 \u03b1\u03c0\u03bf\u03bc\u03b1\u03ba\u03c1\u03c5\u03c3\u03bc\u03ad\u03bd\u03b7 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7. \u0391\u03c5\u03c4\u03ae \u03b7 \u03c1\u03cd\u03b8\u03bc\u03b9\u03c3\u03b7 \u03bc\u03c0\u03bf\u03c1\u03b5\u03af \u03bd\u03b1 \u03bc\u03b7\u03bd \u03b4\u03bf\u03c5\u03bb\u03ad\u03c8\u03b5\u03b9 \u03bc\u03b5 \u03ba\u03ac\u03c0\u03bf\u03b9\u03b1 \u03bc\u03bf\u03bd\u03c4\u03ad\u03bb\u03b1 \u03b4\u03c1\u03bf\u03bc\u03bf\u03bb\u03bf\u03b3\u03b7\u03c4\u03ce\u03bd", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b1\u03c0\u03bf\u03b4\u03b5\u03c7\u03c4\u03b5\u03af\u03c4\u03b5 \u03c4\u03bf\u03c5\u03c2 \u038c\u03c1\u03bf\u03c5\u03c2 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03a0\u03c1\u03bf\u03c3\u03c4\u03b1\u03c3\u03af\u03b1\u03c2 \u0394\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd \u03c0\u03c1\u03b9\u03bd \u03c0\u03c1\u03bf\u03c7\u03c9\u03c1\u03ae\u03c3\u03b5\u03c4\u03b5.", + "OptionIAcceptTermsOfService": "\u0391\u03c0\u03cc\u03b4\u03b5\u03c7\u03bf\u03bc\u03b1\u03b9 \u03c4\u03bf\u03c5\u03c2 \u038c\u03c1\u03bf\u03c5\u03c2 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2", + "ButtonPrivacyPolicy": "\u03a0\u03c1\u03bf\u03c3\u03c4\u03b1\u03c3\u03af\u03b1 \u0394\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd", + "ButtonTermsOfService": "\u038c\u03c1\u03bf\u03b9 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "\u0397\u03b8\u03bf\u03c0\u03bf\u03b9\u03bf\u03af \u03ba\u03b1\u03b9 \u03c3\u03c5\u03bd\u03b5\u03c1\u03b3\u03b5\u03af\u03bf", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1 \u039c\u03ad\u03c1\u03b7", "OptionEnableWebClientResponseCache": "Ene", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03c2 \u03a0\u03c1\u03bf\u03c3\u03c9\u03c1\u03b9\u03bd\u03ce\u03bd \u0391\u03c1\u03c7\u03b5\u03af\u03c9\u03bd", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "\u0395\u03ba\u03c4\u03cc\u03c2", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "\u0391\u03c0\u03cc", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "\u0391\u03c0\u03cc:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5 \u03c3\u03c4\u03b7 \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "\u039f\u03c1\u03b3\u03ac\u03bd\u03c9\u03c3\u03b7", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "\u0395\u03bd\u03c4\u03ac\u03be\u03b5\u03b9", + "ButtonCancel": "\u0391\u03ba\u03cd\u03c1\u03c9\u03c3\u03b7 ", + "ButtonExit": "\u0388\u03be\u03bf\u03b4\u03bf\u03c2", + "ButtonNew": "\u039d\u03ad\u03bf", + "HeaderTV": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", + "HeaderAudio": "\u0389\u03c7\u03bf\u03c2", + "HeaderVideo": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf", "HeaderPaths": "\u0394\u03b9\u03b1\u03b4\u03c1\u03bf\u03bc\u03ae", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "\u03a3\u03c5\u03c7\u03c1\u03bf\u03bd\u03b9\u03c3\u03bc\u03cc\u03c2", + "TabPlaylist": "\u039b\u03af\u03c3\u03c4\u03b1", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "\u0395\u03bd\u03ae\u03bb\u03b9\u03ba\u03bf\u03b9 \u03bc\u03cc\u03bd\u03bf!", + "DividerOr": "--\u03ae--", + "HeaderInstalledServices": "\u0395\u03b3\u03ba\u03b1\u03c4\u03b5\u03c3\u03c4\u03b7\u03bc\u03ad\u03bd\u03b5\u03c2 \u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b5\u03c2", + "HeaderAvailableServices": "\u0394\u03b9\u03b1\u03b8\u03ad\u03c3\u03b9\u03bc\u03b5\u03c2 \u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b5\u03c2", + "MessageNoServicesInstalled": "\u039a\u03b1\u03bc\u03af\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 \u03b4\u03b5\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b5\u03c3\u03c4\u03b7\u03bc\u03ad\u03bd\u03b7.", + "HeaderToAccessPleaseEnterEasyPinCode": "\u0393\u03b9\u03b1 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7, \u03c0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b4\u03ce\u03c3\u03c4\u03b5 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c3\u03b1\u03c2", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "\u039f\u03b9 \u03b5\u03bd\u03ae\u03bb\u03b9\u03ba\u03bf\u03b9 \u03b4\u03b9\u03b1\u03b2\u03ac\u03c3\u03c4\u03b5!", + "RegisterWithPayPal": "\u0395\u03b3\u03b3\u03c1\u03b1\u03c6\u03ae \u03bc\u03b5 Paypal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "\u0391\u03c0\u03bf\u03bb\u03b1\u03cd\u03c3\u03c4\u03b5 14 \u039c\u03ad\u03c1\u03b5\u03c2 \u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae\u03c2 \u03a0\u03b5\u03c1\u03b9\u03cc\u03b4\u03bf\u03c5", + "LabelSyncTempPath": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03c2 \u03a0\u03c1\u03bf\u03c3\u03c9\u03c1\u03b9\u03bd\u03ce\u03bd \u0391\u03c1\u03c7\u03b5\u03af\u03c9\u03bd", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "\u0394\u03c9\u03c1\u03b5\u03ac \u03bc\u03ad\u03c3\u03c9 Paypal", + "OptionDetectArchiveFilesAsMedia": "\u0391\u03bd\u03b1\u03b3\u03bd\u03ce\u03c1\u03b9\u03c3\u03b5 \u03a3\u03c5\u03bc\u03c0\u03b9\u03b5\u03c3\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c1\u03c7\u03b5\u03af\u03b1 \u03c9\u03c2 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03b1.", + "OptionDetectArchiveFilesAsMediaHelp": "\u0391\u03c1\u03c7\u03b5\u03af\u03b1 \u03bc\u03b5 .rar \u03ba\u03b1\u03b9 .zip \u03ba\u03b1\u03c4\u03b1\u03bb\u03ae\u03be\u03b5\u03b9\u03c2 \u03b8\u03b1 \u03b1\u03bd\u03b1\u03b3\u03bd\u03c9\u03c1\u03af\u03b6\u03bf\u03bd\u03c4\u03b1\u03b9 \u03c9\u03c2 \u03b1\u03c1\u03c7\u03b5\u03af\u03b1 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "\u0395\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03a3\u03c5\u03b3\u03c7\u03c1\u03bf\u03bd\u03b9\u03c3\u03bc\u03bf\u03cd", + "FolderTypeMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", + "FolderTypeMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", + "FolderTypeAdultVideos": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2 \u0395\u03bd\u03b7\u03bb\u03af\u03ba\u03c9\u03bd", + "FolderTypePhotos": "\u03a6\u03c9\u03c4\u03bf\u03b3\u03c1\u03b1\u03c6\u03af\u03b5\u03c2", + "FolderTypeMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "FolderTypeHomeVideos": "\u03a0\u03c1\u03bf\u03c3\u03c9\u03c0\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "FolderTypeGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", + "FolderTypeBooks": "\u0392\u03b9\u03b2\u03bb\u03af\u03b1", + "FolderTypeTvShows": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "\u03a4\u03cd\u03c0\u03bf\u03c2 \u03b1\u03c1\u03c7\u03b5\u03af\u03c9\u03bd:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03b5\u03c2 \u0395\u03c1\u03b3\u03b1\u03c3\u03af\u03b5\u03c2", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "\u03a4\u03b7\u03bb\u03b5\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c1\u03b9\u03bf", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c3\u03c4\u03b5 \u03c4\u03bf \u03c6\u03ac\u03ba\u03b5\u03bb\u03bf \u03c4\u03bf\u03c5 Media", + "LabelFolderType": "\u03a4\u03cd\u03c0\u03bf\u03c2 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5", + "ReferToMediaLibraryWiki": "\u0391\u03bd\u03b1\u03c4\u03c1\u03b5\u03be\u03c4\u03b5 \u03c3\u03c4\u03bf media \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 wiki", + "LabelCountry": "\u03a7\u03ce\u03c1\u03b1", + "LabelLanguage": "\u0393\u03bb\u03ce\u03c3\u03c3\u03b1", + "LabelTimeLimitHours": "\u038c\u03c1\u03b9\u03bf \u03a7\u03c1\u03cc\u03bd\u03bf\u03c5 (\u038f\u03c1\u03b5\u03c2)", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u03a0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ce\u03bc\u03b5\u03bd\u03b7 \u03b3\u03bb\u03ce\u03c3\u03c3\u03b1 \u03bc\u03b5\u03c4\u03b1", + "LabelSaveLocalMetadata": "\u0391\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf \u03ad\u03c1\u03b3\u03bf \u03c4\u03ad\u03c7\u03bd\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03c3\u03b5 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", + "LabelSaveLocalMetadataHelp": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7 artwork \u03ba\u03b1\u03b9 \u03bc\u03b5\u03c4\u03b1-\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03b5\u03c5\u03b8\u03b5\u03af\u03b1\u03c2 \u03c3\u03b5 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03bc\u03ad\u03c3\u03c9\u03bd \u03b8\u03b1 \u03c4\u03bf\u03c5\u03c2 \u03b8\u03ad\u03c3\u03b5\u03b9 \u03c3\u03b5 \u03ad\u03bd\u03b1 \u03c4\u03cc\u03c0\u03bf \u03cc\u03c0\u03bf\u03c5 \u03bc\u03c0\u03bf\u03c1\u03bf\u03cd\u03bd \u03b5\u03cd\u03ba\u03bf\u03bb\u03b1 \u03bd\u03b1 \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03c4\u03b5\u03af\u03c4\u03b5.", + "LabelDownloadInternetMetadata": "\u039a\u03b1\u03c4\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 \u03ad\u03c1\u03b3\u03b1 \u03c4\u03ad\u03c7\u03bd\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1-\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03cc \u03c4\u03bf internet ", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u03a0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ae\u03c3\u03b5\u03b9\u03c2 ", + "TabPassword": "\u039a\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2", + "TabLibraryAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03c4\u03b7 \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", + "TabAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7", + "TabImage": "\u0395\u03b9\u03ba\u03cc\u03bd\u03b1", + "TabProfile": "\u03a0\u03c1\u03bf\u03c6\u03af\u03bb", + "TabMetadata": "Metadata", + "TabImages": "\u0395\u03b9\u03ba\u03cc\u03bd\u03b5\u03c2", + "TabNotifications": "\u0395\u03b9\u03b4\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03b9\u03c2", + "TabCollectionTitles": "\u03a4\u03af\u03c4\u03bb\u03bf\u03b9", + "HeaderDeviceAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03a3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ae\u03c2", + "OptionEnableAccessFromAllDevices": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03b1\u03c0\u03cc \u03cc\u03bb\u03b5\u03c2 \u03c4\u03b9\u03c2 \u03c3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ad\u03c2", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03b5 \u03cc\u03bb\u03b5\u03c2 \u03c4\u03b9\u03c2 \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b5\u03c2", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03b5\u03c0\u03b5\u03b9\u03c3\u03bf\u03b4\u03af\u03c9\u03bd \u03c0\u03bf\u03c5 \u03bb\u03b5\u03af\u03c0\u03bf\u03c5\u03bd \u03b1\u03c0\u03cc \u03c4\u03b7\u03bd \u03c3\u03b1\u03b9\u03b6\u03cc\u03bd", + "LabelUnairedMissingEpisodesWithinSeasons": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03ac\u03c0\u03b1\u03b9\u03c7\u03c4\u03c9\u03bd \u03b5\u03c0\u03b5\u03b9\u03c3\u03bf\u03b4\u03af\u03c9\u03bd \u03b1\u03c0\u03cc \u03c4\u03b7\u03bd \u03c3\u03b1\u03b9\u03b6\u03cc\u03bd", + "HeaderVideoPlaybackSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2 \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "HeaderPlaybackSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2", + "LabelAudioLanguagePreference": "\u03a0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03b7 \u0393\u03bb\u03ce\u03c3\u03c3\u03b1\u03c2 \u0389\u03c7\u03bf\u03c5", + "LabelSubtitleLanguagePreference": "\u0393\u03bb\u03ce\u03c3\u03c3\u03b1 \u03c5\u03c0\u03cc\u03c4\u03b9\u03c4\u03bb\u03c9\u03bd \u03c0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03b7\u03c2", "OptionDefaultSubtitles": "\u03a0\u03c1\u03bf\u03b5\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 ", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "\u03a6\u03af\u03bb\u03c4\u03c1\u03b1", "OptionAlwaysPlaySubtitles": "\u03a0\u03ac\u03bd\u03c4\u03b1 \u03b1\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae \u03a5\u03c0\u03bf\u03c4\u03af\u03c4\u03bb\u03c9\u03bd", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u03a6\u03af\u03bb\u03c4\u03c1\u03bf", + "OptionNoSubtitles": "\u03a7\u03c9\u03c1\u03af\u03c2 \u03a5\u03c0\u03cc\u03c4\u03b9\u03c4\u03bb\u03bf\u03c5\u03c2", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "\u0391\u03b3\u03b1\u03c0\u03b7\u03bc\u03ad\u03bd\u03b1", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u03a3\u03c5\u03bc\u03c0\u03b1\u03b8\u03b5\u03af", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "\u0391\u03bd\u03c4\u03b9\u03c0\u03b1\u03b8\u03b5\u03af", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u03a0\u03c1\u03bf\u03c6\u03af\u03bb", + "TabSecurity": "A\u03c3\u03c6\u03ac\u03bb\u03b5\u03b9\u03b1 ", + "ButtonAddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", + "ButtonAddLocalUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03a4\u03bf\u03c0\u03b9\u03ba\u03bf\u03cd \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", + "ButtonInviteUser": "\u03a0\u03c1\u03cc\u03c3\u03ba\u03bb\u03b7\u03c3\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", + "ButtonSave": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7", + "ButtonResetPassword": "\u0395\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac \u03c4\u03bf\u03c5 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", + "LabelNewPassword": "\u039d\u03ad\u03bf\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", + "LabelNewPasswordConfirm": "\u0395\u03c0\u03b9\u03b2\u03b5\u03b2\u03b1\u03af\u03c9\u03c3\u03b7 \u03bd\u03ad\u03bf\u03c5 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", + "HeaderCreatePassword": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03af\u03b1 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 ", + "LabelCurrentPassword": "\u03a4\u03c1\u03ad\u03c7\u03bf\u03bd\u03c4\u03b1\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", + "LabelMaxParentalRating": "\u039c\u03ad\u03b3\u03b9\u03c3\u03c4\u03bf \u03b5\u03c0\u03b9\u03c4\u03c1\u03b5\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf \u03b3\u03bf\u03bd\u03b9\u03ba\u03ae \u03b2\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1:", + "MaxParentalRatingHelp": "\u03a4\u03bf \u03c0\u03b5\u03c1\u03b9\u03b5\u03c7\u03cc\u03bc\u03b5\u03bd\u03bf \u03bc\u03b5 \u03c4\u03b7\u03bd \u03c5\u03c8\u03b7\u03bb\u03cc\u03c4\u03b5\u03c1\u03b7 \u03b2\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1 \u03b8\u03b1 \u03b5\u03af\u03bd\u03b1\u03b9 \u03ba\u03c1\u03c5\u03bc\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03cc \u03b1\u03c5\u03c4\u03cc\u03bd \u03c4\u03bf\u03bd \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", + "LibraryAccessHelp": "\u0395\u03c0\u03b9\u03bb\u03ad\u03be\u03c4\u03b5 \u03c4\u03bf\u03c5\u03c2 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03bc\u03ad\u03c3\u03c9\u03bd \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03c4\u03bf \u03bc\u03bf\u03b9\u03c1\u03b1\u03c3\u03c4\u03b5\u03af\u03c4\u03b5 \u03bc\u03b5 \u03b1\u03c5\u03c4\u03cc\u03bd \u03c4\u03bf \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7. \u039f\u03b9 \u03b4\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ad\u03c2 \u03b8\u03b1 \u03ad\u03c7\u03bf\u03c5\u03bd \u03c4\u03b7 \u03b4\u03c5\u03bd\u03b1\u03c4\u03cc\u03c4\u03b7\u03c4\u03b1 \u03bd\u03b1 \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03ac\u03b6\u03b5\u03c3\u03c4\u03b5 \u03cc\u03bb\u03b1 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03c7\u03c1\u03b7\u03c3\u03b9\u03bc\u03bf\u03c0\u03bf\u03b9\u03ce\u03bd\u03c4\u03b1\u03c2 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2", + "LabelSelectUsers": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae \u03a7\u03c1\u03b7\u03c3\u03c4\u03ce\u03bd:", + "ButtonUpload": "\u0391\u03bd\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 ", + "HeaderUploadNewImage": "\u0391\u03bd\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 \u03bd\u03ad\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1", + "LabelDropImageHere": "\u0391\u03c0\u03bf\u03b8\u03ad\u03c3\u03c4\u03b5 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1 \u03b5\u03b4\u03ce", + "ImageUploadAspectRatioHelp": "\u03a0\u03c1\u03bf\u03c4\u03b5\u03b9\u03bd\u03cc\u03bc\u03b5\u03bd\u03bf 1:1 Aspect Ratio. JPG\/PNG \u03bc\u03cc\u03bd\u03bf", + "MessageNothingHere": "\u03a4\u03af\u03c0\u03bf\u03c4\u03b1 \u03b5\u03b4\u03ce ", + "MessagePleaseEnsureInternetMetadata": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b5\u03be\u03b1\u03c3\u03c6\u03b1\u03bb\u03af\u03c3\u03c4\u03b5 \u03c4\u03b7 \u03bb\u03ae\u03c8\u03b7 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd \u03c3\u03c4\u03bf internet \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03b7\u03bc\u03ad\u03bd\u03b7.\n", + "TabSuggested": "\u03a0\u03c1\u03bf\u03c4\u03b5\u03b9\u03bd\u03cc\u03bc\u03b5\u03bd\u03b7", + "TabSuggestions": "Suggestions", + "TabLatest": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf\u03c2", + "TabUpcoming": "\u0395\u03c0\u03b5\u03c1\u03c7\u03cc\u03bc\u03b5\u03bd\u03b7", + "TabShows": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", + "TabEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", + "TabGenres": "\u0395\u03af\u03b4\u03b7", + "TabPeople": "\u0386\u03bd\u03b8\u03c1\u03c9\u03c0\u03bf\u03b9 ", + "TabNetworks": "\u0394\u03af\u03ba\u03c4\u03c5\u03b1", + "HeaderUsers": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 ", + "HeaderFilters": "\u03a6\u03af\u03bb\u03c4\u03c1\u03b1", + "ButtonFilter": "\u03a6\u03af\u03bb\u03c4\u03c1\u03bf", + "OptionFavorite": "\u0391\u03b3\u03b1\u03c0\u03b7\u03bc\u03ad\u03bd\u03b1", + "OptionLikes": "\u03a3\u03c5\u03bc\u03c0\u03b1\u03b8\u03b5\u03af", + "OptionDislikes": "\u0391\u03bd\u03c4\u03b9\u03c0\u03b1\u03b8\u03b5\u03af", "OptionActors": "\u0397\u03b8\u03bf\u03c0\u03bf\u03b9\u03bf\u03af", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "\u03a6\u03b9\u03bb\u03b9\u03ba\u03ae \u03a3\u03c5\u03bc\u03bc\u03b5\u03c4\u03bf\u03c7\u03ae", - "HeaderCredits": "Credits", "OptionDirectors": "\u03b4\u03b9\u03b5\u03c5\u03b8\u03c5\u03bd\u03c4\u03ad\u03c2", - "TabCollections": "\u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ad\u03c2", "OptionWriters": "\u03a3\u03c5\u03b3\u03b3\u03c1\u03b1\u03c6\u03b5\u03af\u03c2", - "TabFavorites": "Favorites", "OptionProducers": "\u03a0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03bf\u03af", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "\u0395\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "\u0395\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf", "NoNextUpItemsMessage": "\u0394\u03b5\u03bd \u03b2\u03c1\u03ad\u03b8\u03b7\u03ba\u03b5 \u03ba\u03b1\u03bd\u03ad\u03bd\u03b1. \u039e\u03b5\u03ba\u03b9\u03bd\u03ae\u03c3\u03c4\u03b5 \u03c0\u03b1\u03c1\u03b1\u03ba\u03bf\u03bb\u03bf\u03c5\u03b8\u03ce\u03bd\u03c4\u03b1\u03c2 \u03c4\u03b9\u03c2 \u03b5\u03ba\u03c0\u03bf\u03bc\u03c0\u03ad\u03c2 \u03c3\u03b1\u03c2!", "HeaderLatestEpisodes": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03b5\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u03b2\u03af\u03bd\u03c4\u03b5\u03bf", "ButtonSort": "\u03a4\u03b1\u03be\u03b9\u03bd\u03cc\u03bc\u03b7\u03c3\u03b7", "HeaderSortBy": "\u03a4\u03b1\u03be\u03b9\u03bd\u03cc\u03bc\u03b7\u03c3\u03b7 \u03ba\u03b1\u03c4\u03ac:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "\u03a3\u03b5\u03b9\u03c1\u03ac \u03c4\u03b1\u03be\u03b9\u03bd\u03cc\u03bc\u03b7\u03c3\u03b7\u03c2:", - "LabelAutomaticUpdates": "\u0391\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b5\u03c2 \u0395\u03bd\u03b7\u03bc\u03b5\u03c1\u03ce\u03c3\u03b5\u03b9\u03c2", "OptionPlayed": "\u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03ac\u03c7\u03b8\u03b7\u03ba\u03b5", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u0394\u03b5\u03bd \u03c0\u03b1\u03af\u03c7\u03b8\u03b7\u03ba\u03b5", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "\u0391\u03cd\u03be\u03bf\u03c5\u03c3\u03b1", "OptionDescending": "\u03a6\u03b8\u03af\u03bd\u03bf\u03c5\u03c3\u03b1", "OptionRuntime": "Runtime", + "OptionReleaseDate": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae\u03c2", "OptionPlayCount": "\u03a6\u03bf\u03c1\u03ad\u03c2 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2", "OptionDatePlayed": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7\u03c2", - "HeaderTV": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", "OptionAlbumArtist": "\u03ac\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc \u039a\u03b1\u03bb\u03bb\u03b9\u03c4\u03ad\u03c7\u03bd\u03b5\u03c2", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "\u0391\u03bd\u03b1\u03b3\u03bd\u03ce\u03c1\u03b9\u03c3\u03b5 \u03a3\u03c5\u03bc\u03c0\u03b9\u03b5\u03c3\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c1\u03c7\u03b5\u03af\u03b1 \u03c9\u03c2 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03b1.", "OptionArtist": " \u039a\u03b1\u03bb\u03bb\u03b9\u03c4\u03ad\u03c7\u03bd\u03b5\u03c2", - "MessagePleaseAcceptTermsOfService": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b1\u03c0\u03bf\u03b4\u03b5\u03c7\u03c4\u03b5\u03af\u03c4\u03b5 \u03c4\u03bf\u03c5\u03c2 \u038c\u03c1\u03bf\u03c5\u03c2 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03a0\u03c1\u03bf\u03c3\u03c4\u03b1\u03c3\u03af\u03b1\u03c2 \u0394\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd \u03c0\u03c1\u03b9\u03bd \u03c0\u03c1\u03bf\u03c7\u03c9\u03c1\u03ae\u03c3\u03b5\u03c4\u03b5.", - "OptionDetectArchiveFilesAsMediaHelp": "\u0391\u03c1\u03c7\u03b5\u03af\u03b1 \u03bc\u03b5 .rar \u03ba\u03b1\u03b9 .zip \u03ba\u03b1\u03c4\u03b1\u03bb\u03ae\u03be\u03b5\u03b9\u03c2 \u03b8\u03b1 \u03b1\u03bd\u03b1\u03b3\u03bd\u03c9\u03c1\u03af\u03b6\u03bf\u03bd\u03c4\u03b1\u03b9 \u03c9\u03c2 \u03b1\u03c1\u03c7\u03b5\u03af\u03b1 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd.", "OptionAlbum": "\u0386\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc", - "OptionIAcceptTermsOfService": "\u0391\u03c0\u03cc\u03b4\u03b5\u03c7\u03bf\u03bc\u03b1\u03b9 \u03c4\u03bf\u03c5\u03c2 \u038c\u03c1\u03bf\u03c5\u03c2 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u038c\u03bd\u03bf\u03bc\u03b1 \u0391\u03c1\u03c7\u03b5\u03af\u03bf\u03c5", - "ButtonPrivacyPolicy": "\u03a0\u03c1\u03bf\u03c3\u03c4\u03b1\u03c3\u03af\u03b1 \u0394\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03c9\u03bd", - "LabelSelectUsers": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae \u03a7\u03c1\u03b7\u03c3\u03c4\u03ce\u03bd:", "OptionCommunityRating": "\u0392\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1 \u039a\u03bf\u03b9\u03bd\u03cc\u03c4\u03b7\u03c4\u03b1\u03c2", - "ButtonTermsOfService": "\u038c\u03c1\u03bf\u03b9 \u03a7\u03c1\u03ae\u03c3\u03b7\u03c2", "OptionNameSort": "\u038c\u03bd\u03bf\u03bc\u03b1", + "OptionFolderSort": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9", "OptionBudget": "\u03a0\u03c1\u03bf\u03c5\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03cc\u03c2", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "\u0391\u03c6\u03af\u03c3\u03b1", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "\u03a7\u03c1\u03bf\u03bd\u03bf\u03b4\u03b9\u03ac\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "\u0392\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1 \u03ba\u03c1\u03b9\u03c4\u03b9\u03ba\u03ce\u03bd", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03b5\u03c2 \u0395\u03c1\u03b3\u03b1\u03c3\u03af\u03b5\u03c2", "TabMyPlugins": "\u03a4\u03b1 \u03c0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1 \u03bc\u03bf\u03c5", "TabCatalog": "\u039a\u03b1\u03c4\u03ac\u03bb\u03bf\u03b3\u03bf\u03c2", - "ThisWizardWillGuideYou": "\u0391\u03c5\u03c4\u03cc\u03c2 \u03bf \u03bf\u03b4\u03b7\u03b3\u03cc\u03c2 \u03b8\u03b1 \u03c3\u03b1\u03c2 \u03ba\u03b1\u03b8\u03bf\u03b4\u03b7\u03b3\u03ae\u03c3\u03b5\u03b9 \u03bc\u03ad\u03c3\u03c9 \u03c4\u03b7\u03c2 \u03b4\u03b9\u03b1\u03b4\u03b9\u03ba\u03b1\u03c3\u03af\u03b1\u03c2 \u03b5\u03b3\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7\u03c2. \u0393\u03b9\u03b1 \u03bd\u03b1 \u03be\u03b5\u03ba\u03b9\u03bd\u03ae\u03c3\u03b5\u03c4\u03b5, \u03b5\u03c0\u03b9\u03bb\u03ad\u03be\u03c4\u03b5 \u03c4\u03b7 \u03b3\u03bb\u03ce\u03c3\u03c3\u03b1 \u03c4\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03ae\u03c2 \u03c3\u03b1\u03c2.", - "TellUsAboutYourself": "\u03a0\u03b5\u03af\u03c4\u03b5 \u03bc\u03b1\u03c2 \u03b3\u03b9\u03b1 \u03b5\u03c3\u03ac\u03c2", + "TitlePlugins": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1", "HeaderAutomaticUpdates": "\u0391\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b5\u03c2 \u0391\u03bd\u03b1\u03bd\u03b5\u03ce\u03c3\u03b5\u03b9\u03c2", - "LabelYourFirstName": "\u03a4\u03bf \u03cc\u03bd\u03bf\u03bc\u03ac \u03c3\u03b1\u03c2", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u03a0\u03b5\u03c1\u03b9\u03c3\u03c3\u03cc\u03c4\u03b5\u03c1\u03bf\u03c5\u03c2 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b5\u03c2 \u03bc\u03c0\u03bf\u03c1\u03bf\u03cd\u03bd \u03bd\u03b1 \u03c0\u03c1\u03bf\u03c3\u03c4\u03b5\u03b8\u03bf\u03cd\u03bd \u03b1\u03c1\u03b3\u03cc\u03c4\u03b5\u03c1\u03b1 \u03bc\u03b5 \u03c4\u03bf \u03c4\u03b1\u03bc\u03c0\u03bb\u03cc", "HeaderNowPlaying": "\u03a4\u03ce\u03c1\u03b1 \u03a0\u03b1\u03af\u03b6\u03b5\u03b9:", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u0386\u03bb\u03bc\u03c0\u03bf\u03c5\u03bc", - "LabelWindowsService": "\u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 Windows", "HeaderLatestSongs": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03a4\u03c1\u03b1\u03b3\u03bf\u03cd\u03b4\u03b9\u03b1", - "ButtonExit": "\u0388\u03be\u03bf\u03b4\u03bf\u03c2", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "\u039c\u03b9\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 Windows \u03ad\u03c7\u03b5\u03b9 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03b8\u03b5\u03af", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "\u038c\u03c1\u03b9\u03bf \u03a7\u03c1\u03cc\u03bd\u03bf\u03c5 (\u038f\u03c1\u03b5\u03c2)", - "WindowsServiceIntro1": "\u039f \u0394\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c2 Emby \u03ba\u03b1\u03bd\u03bf\u03bd\u03b9\u03ba\u03ac \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03b5\u03af \u03c3\u03b1\u03bd \u03bc\u03b9\u03b1 \u03b5\u03c6\u03b1\u03c1\u03bc\u03bf\u03b3\u03ae \u03bc\u03b5 \u03b5\u03b9\u03ba\u03bf\u03bd\u03af\u03b4\u03b9\u03bf, \u03b1\u03bb\u03bb\u03ac \u03b1\u03bd \u03c0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ac\u03c4\u03b5 \u03bd\u03b1 \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03b5\u03af \u03c3\u03b1\u03bd \u03bc\u03b9\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 \u03c3\u03c4\u03bf \u03b2\u03ac\u03b8\u03bf\u03c2, \u03bc\u03c0\u03bf\u03c1\u03b5\u03af \u03bd\u03b1 \u03b5\u03ba\u03ba\u03b9\u03bd\u03b7\u03b8\u03b5\u03af \u03b1\u03c0\u03cc \u03c4\u03bf\u03bd \u03c0\u03af\u03bd\u03b1\u03ba\u03b1 \u03b5\u03bb\u03ad\u03b3\u03c7\u03bf\u03c5 \u03c4\u03c9\u03bd \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03b9\u03ce\u03bd \u03c4\u03c9\u03bd Windows", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "\u039f\u03c1\u03b3\u03ac\u03bd\u03c9\u03c3\u03b7", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "\u0395\u03bd\u03ae\u03bb\u03b9\u03ba\u03bf\u03b9 \u03bc\u03cc\u03bd\u03bf!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "\u0394\u03b9\u03b1\u03bc\u03bf\u03c1\u03c6\u03ce\u03c3\u03b5\u03c4\u03b5 \u03c4\u03b9\u03c2 \u03c1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2", - "LabelEnableVideoImageExtraction": "\u0395\u03be\u03b1\u03b3\u03c9\u03b3\u03ae \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2 \u03b1\u03c0\u03cc \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "DividerOr": "--\u03ae--", - "OptionEnableAccessToAllLibraries": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03b5 \u03cc\u03bb\u03b5\u03c2 \u03c4\u03b9\u03c2 \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b5\u03c2", - "VideoImageExtractionHelp": "\u0393\u03b9\u03b1 \u03c4\u03b1 \u03b2\u03af\u03bd\u03c4\u03b5\u03bf \u03c0\u03bf\u03c5 \u03b4\u03b5\u03bd \u03ad\u03c7\u03bf\u03c5\u03bd \u03ae\u03b4\u03b7 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b5\u03c2, \u03ba\u03b1\u03b9 \u03b4\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03ad\u03c3\u03b1\u03bc\u03b5 \u03bd\u03b1 \u03b2\u03c1\u03bf\u03cd\u03bc\u03b5 \u03c3\u03c4\u03bf \u03b4\u03b9\u03b1\u03b4\u03af\u03ba\u03c4\u03c5\u03bf. \u0391\u03c5\u03c4\u03cc \u03b8\u03b1 \u03ba\u03b1\u03b8\u03c5\u03c3\u03c4\u03b5\u03c1\u03ae\u03c3\u03b5\u03b9 \u03bb\u03af\u03b3\u03bf \u03c4\u03b7\u03bd \u03b1\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7 \u03c3\u03c4\u03b7\u03bd \u03b1\u03c1\u03c7\u03b9\u03ba\u03ae \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03b1\u03bb\u03bb\u03b1 \u03b8\u03b1 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b7 \u03c4\u03b5\u03bb\u03b9\u03ba\u03ae \u03bc\u03bf\u03c1\u03c6\u03ae \u03c0\u03b9\u03bf \u03cc\u03bc\u03bf\u03c1\u03c6\u03b7.", - "LabelEnableChapterImageExtractionForMovies": "\u0395\u03be\u03b1\u03b3\u03c9\u03b3\u03ae \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2 \u039a\u03b5\u03c6\u03b1\u03bb\u03bb\u03b1\u03af\u03c9\u03bd \u03b3\u03b9\u03b1 \u03c4\u03b9\u03c2 \u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "HeaderInstalledServices": "\u0395\u03b3\u03ba\u03b1\u03c4\u03b5\u03c3\u03c4\u03b7\u03bc\u03ad\u03bd\u03b5\u03c2 \u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b5\u03c2", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1", - "HeaderToAccessPleaseEnterEasyPinCode": "\u0393\u03b9\u03b1 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7, \u03c0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b4\u03ce\u03c3\u03c4\u03b5 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c3\u03b1\u03c2", - "LabelEnableAutomaticPortMapping": "\u0395\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03c4\u03b7\u03c2 \u03b1\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b7\u03c2 \u03ba\u03b1\u03c4\u03b1\u03c7\u03ce\u03c1\u03b7\u03c3\u03b7\u03c2 \u0398\u03c5\u03c1\u03ce\u03bd", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "To UPnP \u03b5\u03c0\u03b9\u03c4\u03c1\u03ad\u03c0\u03b5\u03b9 \u03c4\u03b7\u03bd \u03b1\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b7 \u03c1\u03cd\u03b8\u03bc\u03b9\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03b4\u03c1\u03bf\u03bc\u03bf\u03bb\u03bf\u03b3\u03b7\u03c4\u03ae \u03b3\u03b9\u03b1 \u03b5\u03cd\u03ba\u03bf\u03bb\u03b7 \u03b1\u03c0\u03bf\u03bc\u03b1\u03ba\u03c1\u03c5\u03c3\u03bc\u03ad\u03bd\u03b7 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7. \u0391\u03c5\u03c4\u03ae \u03b7 \u03c1\u03cd\u03b8\u03bc\u03b9\u03c3\u03b7 \u03bc\u03c0\u03bf\u03c1\u03b5\u03af \u03bd\u03b1 \u03bc\u03b7\u03bd \u03b4\u03bf\u03c5\u03bb\u03ad\u03c8\u03b5\u03b9 \u03bc\u03b5 \u03ba\u03ac\u03c0\u03bf\u03b9\u03b1 \u03bc\u03bf\u03bd\u03c4\u03ad\u03bb\u03b1 \u03b4\u03c1\u03bf\u03bc\u03bf\u03bb\u03bf\u03b3\u03b7\u03c4\u03ce\u03bd", - "HeaderAvailableServices": "\u0394\u03b9\u03b1\u03b8\u03ad\u03c3\u03b9\u03bc\u03b5\u03c2 \u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b5\u03c2", - "ButtonOk": "\u0395\u03bd\u03c4\u03ac\u03be\u03b5\u03b9", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u0391\u03ba\u03cd\u03c1\u03c9\u03c3\u03b7 ", - "HeaderAddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "\u039a\u03b1\u03bc\u03af\u03b1 \u03c5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1 \u03b4\u03b5\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b5\u03c3\u03c4\u03b7\u03bc\u03ad\u03bd\u03b7.", - "ButtonAddMediaFolder": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c3\u03c4\u03b5 \u03c4\u03bf \u03c6\u03ac\u03ba\u03b5\u03bb\u03bf \u03c4\u03bf\u03c5 Media", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u03a4\u03cd\u03c0\u03bf\u03c2 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "\u0391\u03bd\u03b1\u03c4\u03c1\u03b5\u03be\u03c4\u03b5 \u03c3\u03c4\u03bf media \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 wiki", - "HeaderAdultsReadHere": "\u039f\u03b9 \u03b5\u03bd\u03ae\u03bb\u03b9\u03ba\u03bf\u03b9 \u03b4\u03b9\u03b1\u03b2\u03ac\u03c3\u03c4\u03b5!", - "LabelCountry": "\u03a7\u03ce\u03c1\u03b1", - "LabelLanguage": "\u0393\u03bb\u03ce\u03c3\u03c3\u03b1", - "HeaderPreferredMetadataLanguage": "\u03a0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ce\u03bc\u03b5\u03bd\u03b7 \u03b3\u03bb\u03ce\u03c3\u03c3\u03b1 \u03bc\u03b5\u03c4\u03b1", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u0391\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03cd\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf \u03ad\u03c1\u03b3\u03bf \u03c4\u03ad\u03c7\u03bd\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03c3\u03b5 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03c0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", - "LabelSaveLocalMetadataHelp": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7 artwork \u03ba\u03b1\u03b9 \u03bc\u03b5\u03c4\u03b1-\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03b5\u03c5\u03b8\u03b5\u03af\u03b1\u03c2 \u03c3\u03b5 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03bc\u03ad\u03c3\u03c9\u03bd \u03b8\u03b1 \u03c4\u03bf\u03c5\u03c2 \u03b8\u03ad\u03c3\u03b5\u03b9 \u03c3\u03b5 \u03ad\u03bd\u03b1 \u03c4\u03cc\u03c0\u03bf \u03cc\u03c0\u03bf\u03c5 \u03bc\u03c0\u03bf\u03c1\u03bf\u03cd\u03bd \u03b5\u03cd\u03ba\u03bf\u03bb\u03b1 \u03bd\u03b1 \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03c4\u03b5\u03af\u03c4\u03b5.", - "LabelDownloadInternetMetadata": "\u039a\u03b1\u03c4\u03b5\u03b2\u03ac\u03c3\u03c4\u03b5 \u03ad\u03c1\u03b3\u03b1 \u03c4\u03ad\u03c7\u03bd\u03b7\u03c2 \u03ba\u03b1\u03b9 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1-\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03cc \u03c4\u03bf internet ", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03a3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ae\u03c2", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "\u0388\u03be\u03bf\u03b4\u03bf\u03c2", - "OptionBanner": "Banner", - "LabelVisitCommunity": "\u039a\u03bf\u03b9\u03bd\u03cc\u03c4\u03b7\u03c4\u03b1", "LabelVideoType": "\u03a4\u03cd\u03c0\u03bf\u03c2 \u0392\u03af\u03bd\u03c4\u03b5\u03bf:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "\u03a0\u03c1\u03cc\u03c4\u03c5\u03c0\u03bf", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03b1\u03c0\u03cc \u03cc\u03bb\u03b5\u03c2 \u03c4\u03b9\u03c2 \u03c3\u03c5\u03c3\u03ba\u03b5\u03c5\u03ad\u03c2", - "LabelBrowseLibrary": "\u03a0\u03b5\u03c1\u03b9\u03b7\u03b3\u03b7\u03b8\u03b5\u03af\u03c4\u03b5 \u03c3\u03c4\u03b7 \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "\u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1:", + "LabelStatus": "\u039a\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7:", + "LabelVersion": "\u0388\u03ba\u03b4\u03bf\u03c3\u03b7:", + "LabelLastResult": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf \u03b1\u03c0\u03bf\u03c4\u03ad\u03bb\u03b5\u03c3\u03bc\u03b1:", "OptionHasSubtitles": "\u03a5\u03c0\u03cc\u03c4\u03b9\u03c4\u03bb\u03bf\u03b9", - "LabelOpenLibraryViewer": "\u03b1\u03bd\u03bf\u03af\u03be\u03b5\u03c4\u03b5 \u03c4\u03b7\u03bd \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03b8\u03b5\u03b1\u03c4\u03ae", "OptionHasTrailer": "\u03a4\u03c1\u03ad\u03ca\u03bb\u03b5\u03c1", - "LabelRestartServer": "\u0395\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "\u0391\u03c1\u03c7\u03b5\u03af\u03bf \u039a\u03b1\u03c4\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae\u03c2", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "\u03c0\u03c1\u03bf\u03b7\u03b3\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf\u03c2", "TabMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "LabelFinish": "\u03a4\u03ad\u03bb\u03bf\u03c2", "TabStudios": "\u03a3\u03c4\u03bf\u03cd\u03bd\u03c4\u03b9\u03bf", - "FolderTypeMixed": "\u0391\u03bd\u03ac\u03bc\u03b5\u03b9\u03ba\u03c4\u03bf \u03a0\u03b5\u03c1\u03b9\u03b5\u03c7\u03cc\u03bc\u03b5\u03bd\u03bf", - "LabelNext": "\u0395\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf", "TabTrailers": "Trailers", - "FolderTypeMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "LabelYoureDone": "\u0395\u03af\u03c3\u03c4\u03b5 \u0388\u03c4\u03bf\u03b9\u03bc\u03bf\u03b9!", + "LabelArtists": "\u039a\u03b1\u03bb\u03bb\u03b9\u03c4\u03ad\u03c7\u03bd\u03b5\u03c2", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b5\u03c2 \u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "FolderTypeMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2 \u0395\u03bd\u03b7\u03bb\u03af\u03ba\u03c9\u03bd", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "\u03a6\u03c9\u03c4\u03bf\u03b3\u03c1\u03b1\u03c6\u03af\u03b5\u03c2", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "\u0391\u03c0\u03bf\u03bb\u03b1\u03cd\u03c3\u03c4\u03b5 14 \u039c\u03ad\u03c1\u03b5\u03c2 \u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae\u03c2 \u03a0\u03b5\u03c1\u03b9\u03cc\u03b4\u03bf\u03c5", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "\u03a0\u03c1\u03bf\u03c3\u03c9\u03c0\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "\u0392\u03b9\u03b2\u03bb\u03af\u03b1", - "HeaderPlaybackSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "\u03a0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ae\u03c3\u03b5\u03b9\u03c2 ", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae\u03c2", - "TabPassword": "\u039a\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "\u039a\u03b1\u03bb\u03bb\u03b9\u03c4\u03ad\u03c7\u03bd\u03b5\u03c2", - "TabLibraryAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03c4\u03b7 \u03b2\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "\u0395\u03b9\u03ba\u03cc\u03bd\u03b1", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "\u03a0\u03c1\u03bf\u03c6\u03af\u03bb", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03b5\u03c0\u03b5\u03b9\u03c3\u03bf\u03b4\u03af\u03c9\u03bd \u03c0\u03bf\u03c5 \u03bb\u03b5\u03af\u03c0\u03bf\u03c5\u03bd \u03b1\u03c0\u03cc \u03c4\u03b7\u03bd \u03c3\u03b1\u03b9\u03b6\u03cc\u03bd", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03ac\u03c0\u03b1\u03b9\u03c7\u03c4\u03c9\u03bd \u03b5\u03c0\u03b5\u03b9\u03c3\u03bf\u03b4\u03af\u03c9\u03bd \u03b1\u03c0\u03cc \u03c4\u03b7\u03bd \u03c3\u03b1\u03b9\u03b6\u03cc\u03bd", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03a4\u03bf\u03c0\u03b9\u03ba\u03bf\u03cd \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", - "HeaderVideoPlaybackSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2 \u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "\u03a0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03b7 \u0393\u03bb\u03ce\u03c3\u03c3\u03b1\u03c2 \u0389\u03c7\u03bf\u03c5", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "\u0393\u03bb\u03ce\u03c3\u03c3\u03b1 \u03c5\u03c0\u03cc\u03c4\u03b9\u03c4\u03bb\u03c9\u03bd \u03c0\u03c1\u03bf\u03c4\u03af\u03bc\u03b7\u03c3\u03b7\u03c2", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "\u0389\u03c7\u03bf\u03c2", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "\u039f\u03b4\u03b7\u03b3\u03cc\u03c2 \u03b3\u03c1\u03ae\u03b3\u03bf\u03c1\u03b7\u03c2 \u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7\u03c2", - "TabProfiles": "\u03a0\u03c1\u03bf\u03c6\u03af\u03bb", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "\u0391\u03c1\u03c7\u03b5\u03af\u03bf \u039a\u03b1\u03c4\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae\u03c2", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u03a0\u03b5\u03c1\u03af..", + "TabSupporterKey": "\u03a3\u03b5\u03b9\u03c1\u03b9\u03b1\u03ba\u03cc\u03c2 \u03a5\u03c0\u03bf\u03c3\u03c4\u03ae\u03c1\u03b9\u03be\u03b7\u03c2", + "TabBecomeSupporter": "\u0393\u03af\u03bd\u03b5 \u03a5\u03c0\u03bf\u03c3\u03c4\u03b7\u03c1\u03b9\u03ba\u03c4\u03ae\u03c2", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "\u0391\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b5 \u03c3\u03c4\u03b7 \u0392\u03ac\u03c3\u03b7", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "\u0395\u03c0\u03b9\u03c3\u03ba\u03ad\u03c8\u03bf\u03c5 \u03c4\u03b7 \u03a3\u03b5\u03bb\u03af\u03b4\u03b1 \u03c4\u03bf\u03c5 Emby", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "\u0391\u03c0\u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", + "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", + "HeaderAdvancedControl": "Advanced Control", + "LabelName": "\u038c\u03bd\u03bf\u03bc\u03b1:", + "ButtonHelp": "\u0392\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "\u03a4\u03b7\u03bb\u03b5\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ae\u03c1\u03b9\u03bf", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "\u0392\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1", - "HeaderSyncJobInfo": "\u0395\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03a3\u03c5\u03b3\u03c7\u03c1\u03bf\u03bd\u03b9\u03c3\u03bc\u03bf\u03cd", - "TabSecurity": "A\u03c3\u03c6\u03ac\u03bb\u03b5\u03b9\u03b1 ", - "HeaderVideo": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae", - "ButtonAddUser": "\u03a0\u03c1\u03bf\u03c3\u03b8\u03ae\u03ba\u03b7 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "\u039f\u03b4\u03b7\u03b3\u03cc\u03c2", - "ButtonSave": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7", - "TitleSupport": "Support", + "ButtonAddToCollection": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5 \u03c3\u03c4\u03b7 \u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ae", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", - "ButtonResetPassword": "\u0395\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac \u03c4\u03bf\u03c5 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", - "LabelSeasonNumber": "Season number:", - "TabLog": "\u0391\u03c1\u03c7\u03b5\u03af\u03bf \u039a\u03b1\u03c4\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae\u03c2", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", - "LabelNewPassword": "\u039d\u03ad\u03bf\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "\u03a0\u03b5\u03c1\u03af..", "VersionNumber": "\u0388\u03ba\u03b4\u03bf\u03c3\u03b7 {0}", - "TabRecordings": "\u0395\u03b3\u03b3\u03c1\u03b1\u03c6\u03ad\u03c2", - "LabelNewPasswordConfirm": "\u0395\u03c0\u03b9\u03b2\u03b5\u03b2\u03b1\u03af\u03c9\u03c3\u03b7 \u03bd\u03ad\u03bf\u03c5 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "\u03a3\u03b5\u03b9\u03c1\u03b9\u03b1\u03ba\u03cc\u03c2 \u03a5\u03c0\u03bf\u03c3\u03c4\u03ae\u03c1\u03b9\u03be\u03b7\u03c2", "TabPaths": "\u0394\u03b9\u03b1\u03b4\u03c1\u03bf\u03bc\u03ae", - "TabScheduled": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03b1", - "HeaderCreatePassword": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03af\u03b1 \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf\u03cd \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2 ", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "\u0393\u03af\u03bd\u03b5 \u03a5\u03c0\u03bf\u03c3\u03c4\u03b7\u03c1\u03b9\u03ba\u03c4\u03ae\u03c2", "TabServer": "\u0394\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae\u03c2", - "TabSeries": "Series", - "LabelCurrentPassword": "\u03a4\u03c1\u03ad\u03c7\u03bf\u03bd\u03c4\u03b1\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7\u03c2", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "\u039c\u03ad\u03b3\u03b9\u03c3\u03c4\u03bf \u03b5\u03c0\u03b9\u03c4\u03c1\u03b5\u03c0\u03cc\u03bc\u03b5\u03bd\u03bf \u03b3\u03bf\u03bd\u03b9\u03ba\u03ae \u03b2\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "\u03a4\u03bf \u03c0\u03b5\u03c1\u03b9\u03b5\u03c7\u03cc\u03bc\u03b5\u03bd\u03bf \u03bc\u03b5 \u03c4\u03b7\u03bd \u03c5\u03c8\u03b7\u03bb\u03cc\u03c4\u03b5\u03c1\u03b7 \u03b2\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1 \u03b8\u03b1 \u03b5\u03af\u03bd\u03b1\u03b9 \u03ba\u03c1\u03c5\u03bc\u03bc\u03ad\u03bd\u03b1 \u03b1\u03c0\u03cc \u03b1\u03c5\u03c4\u03cc\u03bd \u03c4\u03bf\u03bd \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7", - "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.", - "SearchKnowledgeBase": "\u0391\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b5 \u03c3\u03c4\u03b7 \u0392\u03ac\u03c3\u03b7", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "\u0395\u03c0\u03b9\u03bb\u03ad\u03be\u03c4\u03b5 \u03c4\u03bf\u03c5\u03c2 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03bc\u03ad\u03c3\u03c9\u03bd \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03c4\u03bf \u03bc\u03bf\u03b9\u03c1\u03b1\u03c3\u03c4\u03b5\u03af\u03c4\u03b5 \u03bc\u03b5 \u03b1\u03c5\u03c4\u03cc\u03bd \u03c4\u03bf \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7. \u039f\u03b9 \u03b4\u03b9\u03b1\u03c7\u03b5\u03b9\u03c1\u03b9\u03c3\u03c4\u03ad\u03c2 \u03b8\u03b1 \u03ad\u03c7\u03bf\u03c5\u03bd \u03c4\u03b7 \u03b4\u03c5\u03bd\u03b1\u03c4\u03cc\u03c4\u03b7\u03c4\u03b1 \u03bd\u03b1 \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03ac\u03b6\u03b5\u03c3\u03c4\u03b5 \u03cc\u03bb\u03b1 \u03c6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5\u03c2 \u03c7\u03c1\u03b7\u03c3\u03b9\u03bc\u03bf\u03c0\u03bf\u03b9\u03ce\u03bd\u03c4\u03b1\u03c2 \u03c4\u03b1 \u03bc\u03b5\u03c4\u03b1\u03b4\u03b5\u03b4\u03bf\u03bc\u03ad\u03bd\u03b1 manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "\u0397 \u03b5\u03c0\u03af\u03c3\u03b7\u03bc\u03b7 \u03ad\u03ba\u03b4\u03bf\u03c3\u03b7", + "OptionBeta": "\u0394\u03bf\u03ba\u03b9\u03bc\u03b1\u03c3\u03c4\u03b9\u03ba\u03ae", + "OptionDev": "\u0391\u03bd\u03ac\u03c0\u03c4\u03c5\u03be\u03b7 (\u03b1\u03c3\u03c4\u03b1\u03b8\u03ae\u03c2)", "LabelAllowServerAutoRestart": "\u0391\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b7 \u03b5\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03c3\u03ad\u03c1\u03b2\u03b5\u03c1 \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03b5\u03b3\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03ae\u03c3\u03b5\u03b9 \u03c4\u03b9\u03c2 \u03b1\u03bd\u03b1\u03b2\u03b1\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "\u03a7\u03c9\u03c1\u03af\u03c2 \u03a5\u03c0\u03cc\u03c4\u03b9\u03c4\u03bb\u03bf\u03c5\u03c2", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "\u039f \u03a3\u03b5\u03c1\u03b2\u03b5\u03c1 \u03b8\u03b1 \u03ba\u03ac\u03bd\u03b5\u03b9 \u03bc\u03cc\u03bd\u03bf \u03b5\u03c0\u03b1\u03bd\u03b5\u03ba\u03ba\u03b9\u03bd\u03ae\u03c3\u03b5\u03b9\u03c2 \u03c4\u03b9\u03c2 \u03bc\u03b7 \u03b5\u03bd\u03b5\u03c1\u03b3\u03ad\u03c2 \u03c0\u03b5\u03c1\u03b9\u03cc\u03b4\u03bf\u03c5\u03c2, \u03cc\u03c4\u03b1\u03bd \u03ba\u03b1\u03bd\u03b5\u03af\u03c2 \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7\u03c2 \u03b4\u03b5\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03cc\u03c2.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "\u039e\u03b5\u03ba\u03af\u03bd\u03b7\u03c3\u03b5 \u03c4\u03bf\u03bd \u03a3\u03b5\u03c1\u03b2\u03b5\u03c1 \u03ba\u03b1\u03c4\u03ac \u03c4\u03b7\u03bd \u03b5\u03ba\u03ba\u03af\u03bd\u03b7\u03c3\u03b7", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "\u039d\u03ad\u03bf", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "\u0391\u03c0\u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b7 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae \u03a6\u03b1\u03ba\u03ad\u03bb\u03bf\u03c5", - "TabStatus": "Status", - "TabImages": "\u0395\u03b9\u03ba\u03cc\u03bd\u03b5\u03c2", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "\u03a4\u03af\u03c4\u03bb\u03bf\u03b9", - "TabPlaylist": "\u039b\u03af\u03c3\u03c4\u03b1", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "\u038c\u03bd\u03bf\u03bc\u03b1:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "\u03a0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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": "\u0392\u03b1\u03c3\u03b9\u03ba\u03ac", + "TabTV": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", + "TabGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", + "TabMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", + "TabOthers": "\u0386\u03bb\u03bb\u03b1", + "HeaderExtractChapterImagesFor": "Extract chapter images for:", + "OptionMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", + "OptionEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", + "OptionOtherVideos": "\u0386\u03bb\u03bb\u03b1 \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "\u0391\u03c5\u03c4\u03cc\u03bc\u03b1\u03c4\u03b5\u03c2 \u0395\u03bd\u03b7\u03bc\u03b5\u03c1\u03ce\u03c3\u03b5\u03b9\u03c2", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "\u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", + "TitleSignIn": "\u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", + "HeaderPleaseSignIn": "\u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03b5\u03b9\u03c3\u03ad\u03bb\u03b8\u03b5\u03c4\u03b5", + "LabelUser": "\u03a7\u03c1\u03ae\u03c3\u03c4\u03b7\u03c2:", + "LabelPassword": "\u039a\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2:", + "ButtonManualLogin": "\u03a7\u03b5\u03b9\u03c1\u03bf\u03ba\u03af\u03bd\u03b7\u03c4\u03b7 \u0395\u03af\u03c3\u03bf\u03b4\u03bf\u03c2", + "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", + "TabGuide": "\u039f\u03b4\u03b7\u03b3\u03cc\u03c2", + "TabChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", + "TabCollections": "\u03a3\u03c5\u03bb\u03bb\u03bf\u03b3\u03ad\u03c2", + "HeaderChannels": "\u039a\u03b1\u03bd\u03ac\u03bb\u03b9\u03b1", + "TabRecordings": "\u0395\u03b3\u03b3\u03c1\u03b1\u03c6\u03ad\u03c2", + "TabScheduled": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03b1", + "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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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": "\u03a4\u03ad\u03c7\u03bd\u03b7", + "OptionDownloadPrimaryImage": "\u03a0\u03c1\u03ce\u03c4\u03bf", + "HeaderFetchImages": "Fetch Images:", + "HeaderImageSettings": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 \u0395\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2", + "TabOther": "\u0386\u03bb\u03bb\u03b1", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "ButtonAdd": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c3\u03b5", + "LabelTriggerType": "Trigger Type:", + "OptionDaily": "\u039a\u03b1\u03b8\u03b7\u03bc\u03b5\u03c1\u03b9\u03bd\u03ac", + "OptionWeekly": "\u0395\u03b2\u03b4\u03bf\u03bc\u03b1\u03b4\u03b9\u03b1\u03af\u03b1", + "OptionOnInterval": "On an interval", + "OptionOnAppStartup": "On application startup", + "OptionAfterSystemEvent": "After a system event", + "LabelDay": "\u0397\u03bc\u03ad\u03c1\u03b1:", + "LabelTime": "\u038f\u03c1\u03b1:", + "LabelEvent": "\u0393\u03b5\u03b3\u03bf\u03bd\u03cc\u03c2:", + "OptionWakeFromSleep": "\u0395\u03c0\u03b1\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b7", + "LabelEveryXMinutes": "\u039a\u03ac\u03b8\u03b5:", + "HeaderTvTuners": "Tuners", + "HeaderGallery": "Gallery", + "HeaderLatestGames": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", + "HeaderRecentlyPlayedGames": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03b1 \u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1 \u03c0\u03bf\u03c5 \u03c0\u03b1\u03af\u03c7\u03c4\u03b7\u03ba\u03b1\u03bd", + "TabGameSystems": "Game Systems", + "TitleMediaLibrary": "\u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", + "TabFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9", + "TabPathSubstitution": "Path Substitution", + "LabelSeasonZeroDisplayName": "Season 0 display name:", + "LabelEnableRealtimeMonitor": "Enable real time monitoring", + "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.", + "ButtonScanLibrary": "\u03a8\u03ac\u03be\u03b5 \u0392\u03b9\u03b2\u03bb\u03b9\u03bf\u03b8\u03ae\u03ba\u03b7", + "HeaderNumberOfPlayers": "\u03a0\u03c1\u03bf\u03b3\u03c1\u03ac\u03bc\u03bc\u03b1\u03c4\u03b1 \u0391\u03bd\u03b1\u03c0\u03b1\u03c1\u03b1\u03b3\u03c9\u03b3\u03ae\u03c2:", + "OptionAnyNumberOfPlayers": "\u038c\u03bb\u03b1", + "Option1Player": "1+", + "Option2Player": "2+", + "Option3Player": "3+", + "Option4Player": "4+", + "HeaderMediaFolders": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9 \u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03c9\u03bd", + "HeaderThemeVideos": "\u0398\u03b5\u03bc\u03b1\u03c4\u03b9\u03ba\u03ac \u0392\u03af\u03bd\u03c4\u03b5\u03bf", + "HeaderThemeSongs": "\u0398\u03b5\u03bc\u03b1\u03c4\u03b9\u03ba\u03ac \u03a4\u03c1\u03b1\u03b3\u03bf\u03cd\u03b4\u03b9\u03b1", + "HeaderScenes": "\u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", + "HeaderAwardsAndReviews": "\u0392\u03c1\u03b1\u03b2\u03b5\u03af\u03b1 \u03ba\u03b1\u03b9 \u0392\u03b1\u03b8\u03bc\u03bf\u03bb\u03bf\u03b3\u03af\u03b1", + "HeaderSoundtracks": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae \u03a4\u03b1\u03b9\u03bd\u03af\u03b1\u03c2", + "HeaderMusicVideos": "\u0392\u03af\u03bd\u03c4\u03b5\u03bf \u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae\u03c2", + "HeaderSpecialFeatures": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b5\u03c2 \u03a3\u03ba\u03b7\u03bd\u03ad\u03c2", + "HeaderCastCrew": "\u0397\u03b8\u03bf\u03c0\u03bf\u03b9\u03bf\u03af \u03ba\u03b1\u03b9 \u03c3\u03c5\u03bd\u03b5\u03c1\u03b3\u03b5\u03af\u03bf", + "HeaderAdditionalParts": "\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1 \u039c\u03ad\u03c1\u03b7", + "ButtonSplitVersionsApart": "Split Versions Apart", + "ButtonPlayTrailer": "Trailer", + "LabelMissing": "Missing", + "LabelOffline": "\u0395\u03ba\u03c4\u03cc\u03c2", + "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": "\u0391\u03c0\u03cc", + "HeaderTo": "To", + "LabelFrom": "\u0391\u03c0\u03cc:", + "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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "\u0392\u03b1\u03c3\u03b9\u03ba\u03ac", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "\u038c\u03bd\u03bf\u03bc\u03b1 \u03a7\u03c1\u03ae\u03c3\u03c4\u03b7 \u03ae email:", - "TabTV": "\u03a4\u03b7\u03bb\u03b5\u03cc\u03c1\u03b1\u03c3\u03b7", - "LabelService": "\u03a5\u03c0\u03b7\u03c1\u03b5\u03c3\u03af\u03b1:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "\u03a0\u03b1\u03b9\u03c7\u03bd\u03af\u03b4\u03b9\u03b1", - "LabelStatus": "\u039a\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "\u039c\u03bf\u03c5\u03c3\u03b9\u03ba\u03ae", - "LabelVersion": "\u0388\u03ba\u03b4\u03bf\u03c3\u03b7:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "\u0386\u03bb\u03bb\u03b1", - "LabelLastResult": "\u03a4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf \u03b1\u03c0\u03bf\u03c4\u03ad\u03bb\u03b5\u03c3\u03bc\u03b1:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "\u03a4\u03b1\u03b9\u03bd\u03af\u03b5\u03c2", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "\u0395\u03c0\u03b5\u03b9\u03c3\u03cc\u03b4\u03b9\u03b1", "TabHome": "Home", - "OptionOtherVideos": "\u0386\u03bb\u03bb\u03b1 \u0392\u03af\u03bd\u03c4\u03b5\u03bf", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "\u03a6\u03ac\u03ba\u03b5\u03bb\u03bf\u03b9", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "\u03a1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2 Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 37a2c36ac3..1c8cea090c 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/en-GB.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/en-GB.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Exit", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Restart Server", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Previous", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Next", + "LabelYoureDone": "You're Done!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organise", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favourites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "TabLatest": "Latest", + "TabUpcoming": "Upcoming", + "TabShows": "Shows", + "TabEpisodes": "Episodes", + "TabGenres": "Genres", + "TabPeople": "People", + "TabNetworks": "Networks", + "HeaderUsers": "Users", + "HeaderFilters": "Filters:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favourites", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Actors", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favourites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organise", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Exit", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart Server", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Previous", "TabMovies": "Movies", - "LabelFinish": "Finish", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Next", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "You're Done!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organise", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organisation", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilise:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organise monitors your download folders for new files and moves them to your media directories", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organising will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organisation", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organise new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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 Organisation", + "LabelSeries": "Series:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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 organisation", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customise information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favourites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favourite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favourite Artists", - "ViewTypeGameFavorites": "Favourites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favourite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "ViewTypeBoxSets": "Collections", + "ViewTypeChannels": "Channels", + "ViewTypeLiveTV": "Live TV", + "ViewTypeLiveTvNowPlaying": "Now Airing", + "ViewTypeLatestGames": "Latest Games", + "ViewTypeRecentlyPlayedGames": "Recently Played", + "ViewTypeGameFavorites": "Favourites", + "ViewTypeGameSystems": "Game Systems", + "ViewTypeGameGenres": "Genres", + "ViewTypeTvResume": "Resume", + "ViewTypeTvNextUp": "Next Up", "ViewTypeTvLatest": "Latest", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favourite Series", + "ViewTypeTvFavoriteEpisodes": "Favourite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favourites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "ViewTypeMusicAlbums": "Albums", + "ViewTypeMusicAlbumArtists": "Album Artists", + "HeaderOtherDisplaySettings": "Display Settings", + "ViewTypeMusicSongs": "Songs", + "ViewTypeMusicFavorites": "Favourites", + "ViewTypeMusicFavoriteAlbums": "Favourite Albums", + "ViewTypeMusicFavoriteArtists": "Favourite Artists", + "ViewTypeMusicFavoriteSongs": "Favourite 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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favourites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favourite Series", - "ViewTypeTvFavoriteEpisodes": "Favourite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 b7c197f91f..6ad65ba6cf 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/en-US.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/en-US.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Exit", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Restart Server", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Previous", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Next", + "LabelYoureDone": "You're Done!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Exit", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart Server", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Previous", "TabMovies": "Movies", - "LabelFinish": "Finish", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Next", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "You're Done!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/es-AR.json b/MediaBrowser.Server.Implementations/Localization/Server/es-AR.json index 3718a0214b..ee8ec5693f 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/es-AR.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/es-AR.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bienvenidos a Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Cap\u00edtulos", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Salir", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Est\u00e1ndar", "LabelApiDocumentation": "Documentaci\u00f3n API", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configurar Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Reiniciar el servidor", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Previous", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Next", + "LabelYoureDone": "Ha terminado!", + "WelcomeToProject": "Bienvenidos a Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "T\u00e9rminos de servicios de Emby", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organizar", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Agregar Usuario", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Cap\u00edtulos faltantes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Cap\u00edtulos no emitidos", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Nombre corto del cap\u00edtulo", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Mostar cap\u00edtulos no disponibles en temporadas", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "TabLatest": "Latest", + "TabUpcoming": "Upcoming", + "TabShows": "Shows", + "TabEpisodes": "Cap\u00edtulos", + "TabGenres": "Genres", + "TabPeople": "People", + "TabNetworks": "Networks", + "HeaderUsers": "Users", + "HeaderFilters": "Filters:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favorites", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Actors", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "\u00daltimos cap\u00edtulos", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "T\u00e9rminos de servicios de Emby", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organizar", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Agregar Usuario", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Salir", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Est\u00e1ndar", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Reiniciar el servidor", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Previous", "TabMovies": "Movies", - "LabelFinish": "Finish", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Next", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Ha terminado!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Mostar cap\u00edtulos no disponibles en temporadas", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos cap\u00edtulos", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos cap\u00edtulos", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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": "Cap\u00edtulos faltantes", + "OptionUnairedEpisode": "Cap\u00edtulos no emitidos", + "OptionEpisodeSortName": "Nombre corto del cap\u00edtulo", + "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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configurar Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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": "Cent\u00edgrado", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Cent\u00edgrado", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 f20e0d80b9..74e127e6a4 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/es-MX.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/es-MX.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bienvenido a Emby!", - "LabelImageSavingConvention": "Convenci\u00f3n de almacenamiento de im\u00e1genes:", - "LabelNumberOfGuideDaysHelp": "Descargar m\u00e1s d\u00edas de datos de programaci\u00f3n permite programar con mayor anticipaci\u00f3n y ver m\u00e1s listados, pero tomar\u00e1 m\u00e1s tiempo en descargar. Auto har\u00e1 la selecci\u00f3n basada en el n\u00famero de canales.", - "HeaderNewCollection": "Nueva Colecci\u00f3n", - "LabelImageSavingConventionHelp": "Emby reconoce im\u00e1genes de la mayor\u00eda de las principales aplicaciones de medios. Seleccionar sus convenci\u00f3n de descarga es \u00fatil si tambi\u00e9n usa otros productos.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Enlazado a Emby Connect", - "OptionImageSavingStandard": "Est\u00e1ndar - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Crear", - "ButtonSignIn": "Iniciar Sesi\u00f3n", - "LiveTvPluginRequired": "Se requiere de un complemento proveedor de servicios de TV en vivo para continuar.", - "TitleSignIn": "Iniciar Sesi\u00f3n", - "LiveTvPluginRequiredHelp": "Por favor instale alguno de los complementos disponibles, como Next PVR o ServerWMC.", - "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:", - "ProjectHasCommunity": "Emby cuenta con una pr\u00f3spera comunidad de usuarios y colaboradores.", - "HeaderPleaseSignIn": "Por favor inicie sesi\u00f3n", - "LabelUser": "Usuario:", - "LabelExternalDDNS": "Direcci\u00f3n WAN externa:", - "TabOther": "Otros", - "LabelPassword": "Contrase\u00f1a:", - "OptionDownloadThumbImage": "Miniatura", - "LabelExternalDDNSHelp": "Si tiene un DNS din\u00e1mico introduzcalo aqu\u00ed. Las aplicaciones Emby lo usaran cuando se conecte remotamente. D\u00e9jelo en blanco para detectar autom\u00e1ticamente.", - "VisitProjectWebsite": "Visitar el Sitio Web de Emby", - "ButtonManualLogin": "Inicio de Sesi\u00f3n Manual:", - "OptionDownloadMenuImage": "Men\u00fa", - "TabResume": "Continuar", - "PasswordLocalhostMessage": "Las contrase\u00f1as no se requieren cuando se inicia sesi\u00f3n desde localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "El tiempo", - "OptionDownloadBoxImage": "Caja", - "TitleAppSettings": "Configuraci\u00f3n de la App", - "ButtonDeleteImage": "Eliminar Imagen", - "VisitProjectWebsiteLong": "Visite el sitio Web para conocer las ultimas noticias y mantenerse al d\u00eda con el blog de desarrolladores.", - "OptionDownloadDiscImage": "DIsco", - "LabelMinResumePercentage": "Porcentaje m\u00ednimo para continuar:", - "ButtonUpload": "Subir", - "OptionDownloadBannerImage": "Cart\u00e9l", - "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para continuar:", - "HeaderUploadNewImage": "Subir Nueva Imagen", - "OptionDownloadBackImage": "Reverso", - "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima para continuar (segundos):", - "OptionHideWatchedContentFromLatestMedia": "Ocultar contenido ya visto de Agregadas Recientemente", - "LabelDropImageHere": "Depositar imagen aqu\u00ed", - "OptionDownloadArtImage": "Arte", - "LabelMinResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos no han sido reproducidos si se detienen antes de este momento", - "ImageUploadAspectRatioHelp": "Se Recomienda una Proporci\u00f3n de Aspecto 1:1. Solo JPG\/PNG.", - "OptionDownloadPrimaryImage": "Principal", - "LabelMaxResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos han sido reproducidos por completo si se detienen despu\u00e9s de este momento", - "MessageNothingHere": "Nada aqu\u00ed.", - "HeaderFetchImages": "Buscar im\u00e1genes:", - "LabelMinResumeDurationHelp": "Los titulos con duraci\u00f3n menor a esto no podr\u00e1n ser continuados", - "TabSuggestions": "Sugerencias", - "MessagePleaseEnsureInternetMetadata": "Por favor aseg\u00farese que la descarga de metadatos de internet esta habilitada.", - "HeaderImageSettings": "Opciones de Im\u00e1genes", - "TabSuggested": "Sugerencias", - "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de im\u00e1genes de fondo por \u00edtem:", - "TabLatest": "Recientes", - "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de capturas de pantalla por \u00edtem:", - "TabUpcoming": "Proximamente", - "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:", - "TabShows": "Programas", - "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:", - "TabEpisodes": "Episodios", - "ButtonAddScheduledTaskTrigger": "Agregar Disparador", - "TabGenres": "G\u00e9neros", - "HeaderAddScheduledTaskTrigger": "Agregar Disparador", - "TabPeople": "Personas", - "ButtonAdd": "Agregar", - "TabNetworks": "Cadenas", - "LabelTriggerType": "Tipo de Evento:", - "OptionDaily": "Diario", - "OptionWeekly": "Semanal", - "OptionOnInterval": "En un intervalo", - "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n", - "ButtonHelp": "Ayuda", - "OptionAfterSystemEvent": "Despu\u00e9s de un evento del sistema", - "LabelDay": "D\u00eda:", - "LabelTime": "Hora:", - "OptionRelease": "Versi\u00f3n Oficial", - "LabelEvent": "Evento:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Al Despertar", - "ButtonInviteUser": "Invitar Usuario", - "OptionDev": "Desarrollo (Inestable)", - "LabelEveryXMinutes": "Cada:", - "HeaderTvTuners": "Sintonizadores", - "CategorySync": "Sinc.", - "HeaderGallery": "Galer\u00eda", - "HeaderLatestGames": "Juegos Recientes", - "RegisterWithPayPal": "Registrar con PayPal", - "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", + "LabelExit": "Salir", + "LabelVisitCommunity": "Visitar la Comunidad", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Est\u00e1ndar", "LabelApiDocumentation": "Documentaci\u00f3n del API", - "Option2Player": "2+", "LabelDeveloperResources": "Recursos para Desarrolladores", - "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", - "LabelManagement": "Administraci\u00f3n:", - "HeaderMusicVideos": "Videos Musicales", - "HeaderSpecialFeatures": "Caracter\u00edsticas Especiales", + "LabelBrowseLibrary": "Explorar Biblioteca", + "LabelConfigureServer": "Configurar Emby", + "LabelOpenLibraryViewer": "Abrir el Visor de la Biblioteca", + "LabelRestartServer": "Reiniciar el Servidor", + "LabelShowLogWindow": "Mostrar Ventana de Bit\u00e1cora", + "LabelPrevious": "Anterior", + "LabelFinish": "Terminar", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Siguiente", + "LabelYoureDone": "Ha Terminado!", + "WelcomeToProject": "Bienvenido a Emby!", + "ThisWizardWillGuideYou": "Este asistente le guiar\u00e1 a trav\u00e9s del proceso de instalaci\u00f3n. Para comenzar, por favor seleccione su lenguaje preferido.", + "TellUsAboutYourself": "D\u00edganos sobre usted", + "ButtonQuickStartGuide": "Gu\u00eda de inicio r\u00e1pido", + "LabelYourFirstName": "Su nombre:", + "MoreUsersCanBeAddedLater": "Se pueden agregar m\u00e1s usuarios posteriormente en el Panel de Control.", + "UserProfilesIntro": "Emby incluye soporte integrado para perfiles de usuario, habilitando a cada usuario para tener sus propias configuraciones de visualizaci\u00f3n, reproducci\u00f3n y controles parentales.", + "LabelWindowsService": "Servicio de Windows", + "AWindowsServiceHasBeenInstalled": "Se ha instalado un Servicio de Windows.", + "WindowsServiceIntro1": "El Servidor Emby normalmente se ejecuta como una aplicaci\u00f3n de escritorio con un icono de bandeja, pero si prefiere ejecutarlo como un servicio de fondo, puede en su lugar ser iniciado en los servicios desde el panel de control de windows.", + "WindowsServiceIntro2": "Si utiliza el servicio de Windows, tenga en cuenta que no se puede ejecutar simult\u00e1neamiente con el icono en el \u00e1rea de notificaci\u00f3n, por lo que tendr\u00e1 que finalizar desde el icono para poder ejecutar el servicio. Adicionalmente, el servicio deber\u00e1 ser configurado con privilegios administrativos a trav\u00e9s del panel de control del servicio. Tenga en cuenta que en este momento el servicio no es capaz de actualizarse a s\u00ed mismo, por lo que las nuevas versiones requerir\u00e1n de interacci\u00f3n manual.", + "WizardCompleted": "Eso es todo lo que necesitamos por ahora, Emby ha comenzado a recolectar informaci\u00f3n sobre su biblioteca de medios. Revise algunas de nuestras aplicaciones, y haga clic en Finalizar<\/b> para ver el Panel de Control<\/b>", + "LabelConfigureSettings": "Configuraci\u00f3n de opciones", + "LabelEnableVideoImageExtraction": "Habilitar extracci\u00f3n de im\u00e1genes de video", + "VideoImageExtractionHelp": "Para videos que no cuenten con im\u00e1genes, y para los que no podemos encontrar im\u00e1genes en Internet. Esto incrementar\u00e1 un poco el tiempo de la exploraci\u00f3n inicial de las bibliotecas, pero resultar\u00e1 en una presentaci\u00f3n m\u00e1s agradable.", + "LabelEnableChapterImageExtractionForMovies": "Extraer im\u00e1genes de cap\u00edtulos para Pel\u00edculas", + "LabelChapterImageExtractionForMoviesHelp": "Extraer las im\u00e1genes de los cap\u00edtulos permitir\u00e1 a sus clientes mostrar gr\u00e1ficamente los men\u00fas de selecci\u00f3n de escenas. El proceso puede ser lento, hacer uso intensivo del cpu y requerir el uso de varios gigabytes de espacio. Se ejecuta como una tarea nocturna programada, aunque puede configurarse en el \u00e1rea de tareas programadas. No se recomienda ejecutarlo durante un horario de uso intensivo.", + "LabelEnableAutomaticPortMapping": "Habilitar mapeo autom\u00e1tico de puertos", + "LabelEnableAutomaticPortMappingHelp": "UPnP permite la configuraci\u00f3n de ruteador de manera autom\u00e1tica, para acceso remoto de manera f\u00e1cil. Eso puede no funcionar con algunos modelos de ruteadores.", + "HeaderTermsOfService": "T\u00e9rminos de Servicio de Emby", + "MessagePleaseAcceptTermsOfService": "Por favor acepte los t\u00e9rminos del servicio y la pol\u00edtica de privacidad antes de continuar.", + "OptionIAcceptTermsOfService": "Acepto los t\u00e9rminos del servicio.", + "ButtonPrivacyPolicy": "Pol\u00edtica de privacidad", + "ButtonTermsOfService": "T\u00e9rminos del Servicio", "HeaderDeveloperOptions": "Opciones de Desarrollador", - "HeaderCastCrew": "Reparto y Personal", - "LabelLocalHttpServerPortNumber": "N\u00famero de puerto http local:", - "HeaderAdditionalParts": "Partes Adicionales", "OptionEnableWebClientResponseCache": "Habilitar la cache de respuestas del cliente web", - "LabelLocalHttpServerPortNumberHelp": "El numero de puerto tcp con el que se deber\u00e1 vincular el servidor http de Emby.", - "ButtonSplitVersionsApart": "Separar Versiones", - "LabelSyncTempPath": "Trayectoria de archivos temporales:", "OptionDisableForDevelopmentHelp": "Configuralos como sean necesarios para prop\u00f3sitos de desarrollo en el cliente web.", - "LabelMissing": "Falta", - "LabelSyncTempPathHelp": "Especifique una carpeta de trabajo personalizada para sinc. Los medios convertidos creados durante el proceso de sinc ser\u00e1n almacenados en este lugar.", - "LabelEnableAutomaticPortMap": "Habilitar mapeo autom\u00e1tico de puertos", - "LabelOffline": "Desconectado", "OptionEnableWebClientResourceMinification": "Habilitar minificacion de recursos del cliente web", - "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.", - "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.", - "LabelCustomCertificatePath": "Trayectoria del certificado personalizado:", - "HeaderFrom": "Desde", "LabelDashboardSourcePath": "Ruta de origen del cliente web:", - "HeaderTo": "Hasta", - "LabelCustomCertificatePathHelp": "Proporcione su archivo de certificado .pfx personalizado. Si se omite, el servidor crear\u00e1 un certificado auto firmado.", - "LabelFrom": "Desde:", "LabelDashboardSourcePathHelp": "Si esta ejecutando el servidor desde la fuente, especifique la ruta de acceso a la carpeta dashboard-ui. Todos los archivos de cliente web ser\u00e1n atendidos desde esta ruta.", - "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)", - "ButtonAddToCollection": "Agregar a Colecci\u00f3n", - "LabelTo": "Hasta:", + "ButtonConvertMedia": "Convertir Medios", + "ButtonOrganize": "Organizar", + "LinkedToEmbyConnect": "Enlazado a Emby Connect", + "HeaderSupporterBenefits": "Beneficios del Aficionado", + "HeaderAddUser": "Agregar Usuario", + "LabelAddConnectSupporterHelp": "Para agregar un usuario que no esta listado, necesita primero enlazar su cuenta a Emby Connect desde su pagina de perfil de usuario.", + "LabelPinCode": "C\u00f3digo pin:", + "OptionHideWatchedContentFromLatestMedia": "Ocultar contenido ya visto de Agregadas Recientemente", + "HeaderSync": "Sinc", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonExit": "Salir", + "ButtonNew": "Nuevo", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Rutas", - "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (una ruta a la que los clientes pueden acceder)", - "ButtonAddPathSubstitution": "Agregar Ruta Alternativa", + "CategorySync": "Sinc.", + "TabPlaylist": "Lista de Reproducci\u00f3n", + "HeaderEasyPinCode": "C\u00f3digo Pin Sencillo", + "HeaderGrownupsOnly": "\u00a1Solo Adultos!", + "DividerOr": "--o--", + "HeaderInstalledServices": "Servicios Instalados", + "HeaderAvailableServices": "Servicios Disponibles", + "MessageNoServicesInstalled": "No hay servicios instalados en este momento.", + "HeaderToAccessPleaseEnterEasyPinCode": "Para acceder, por favor introduzca su c\u00f3digo pin sencillo", + "KidsModeAdultInstruction": "Haga clic en el icono de candado en la esquina inferior derecha para configurar o abandonar el modo para ni\u00f1os.", + "ButtonConfigurePinCode": "Configurar c\u00f3digo pin", + "HeaderAdultsReadHere": "\u00a1Adultos Leer Esto!", + "RegisterWithPayPal": "Registrar con PayPal", + "HeaderSyncRequiresSupporterMembership": "Sinc requiere de una Membres\u00eda de Aficionado", + "HeaderEnjoyDayTrial": "Disfrute de una Prueba Gratuita por 14 D\u00edas", + "LabelSyncTempPath": "Trayectoria de archivos temporales:", + "LabelSyncTempPathHelp": "Especifique una carpeta de trabajo personalizada para sinc. Los medios convertidos creados durante el proceso de sinc ser\u00e1n almacenados en este lugar.", + "LabelCustomCertificatePath": "Trayectoria del certificado personalizado:", + "LabelCustomCertificatePathHelp": "Proporcione su archivo de certificado .pfx personalizado. Si se omite, el servidor crear\u00e1 un certificado auto firmado.", "TitleNotifications": "Notificaciones", - "OptionSpecialEpisode": "Especiales", - "OptionMissingEpisode": "Episodios Faltantes", "ButtonDonateWithPayPal": "Donar con PayPal", + "OptionDetectArchiveFilesAsMedia": "Detectar archivos comprimidos como medios", + "OptionDetectArchiveFilesAsMediaHelp": "Al habilitarlo, los archivos con extensiones .rar y .zip ser\u00e1n detectados como archivos de medios.", + "LabelEnterConnectUserName": "Nombre de usuario o correo:", + "LabelEnterConnectUserNameHelp": "Este es su nombre de usuario o contrase\u00f1a de su cuenta Emby en linea.", + "LabelEnableEnhancedMovies": "Habilitar visualizaci\u00f3n mejorada de pel\u00edculas", + "LabelEnableEnhancedMoviesHelp": "Cuando se activa, la pel\u00edculas ser\u00e1n mostradas como carpetas para incluir tr\u00e1ilers, extras, elenco y equipo, y otros contenidos relacionados.", + "HeaderSyncJobInfo": "Trabajo de Sinc", + "FolderTypeMovies": "Pel\u00edculas", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "Videos para adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Videos musicales", + "FolderTypeHomeVideos": "Videos caseros", + "FolderTypeGames": "Juegos", + "FolderTypeBooks": "Libros", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Heredar", - "OptionUnairedEpisode": "Episodios no Emitidos", "LabelContentType": "Tipo de Contenido:", - "OptionEpisodeSortName": "Nombre para Ordenar el Episodio", "TitleScheduledTasks": "Tareas Programadas", - "OptionSeriesSortName": "Nombre de la Serie", - "TabNotifications": "Notificaciones", - "OptionTvdbRating": "Calificaci\u00f3n de Tvdb", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Preferencia de Calidad de Transcodificaci\u00f3n:", - "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad", - "LabelPublicHttpPort": "N\u00famero de puerto http publico:", - "OptionHighSpeedTranscodingHelp": "Menor calidad, codificaci\u00f3n m\u00e1s r\u00e1pida", - "OptionHighQualityTranscodingHelp": "Mayor calidad, codificaci\u00f3n m\u00e1s lenta", - "OptionPosterCard": "Tarjeta de P\u00f3ster", - "LabelPublicHttpPortHelp": "El numero de puerto que debe ser mapeado a el puerto http local.", - "OptionMaxQualityTranscodingHelp": "La mejor calidad con codificaci\u00f3n m\u00e1s lenta y alto uso del CPU", - "OptionThumbCard": "Tarjeta de Miniatura", - "OptionHighSpeedTranscoding": "Mayor velocidad", - "OptionAllowRemoteSharedDevices": "Permitir control remoto de dispositivos compartidos", - "LabelPublicHttpsPort": "N\u00famero de puerto https publico:", - "OptionHighQualityTranscoding": "Mayor calidad", - "OptionAllowRemoteSharedDevicesHelp": "Los dispositivos dnla son considerados como compartidos hasta que alg\u00fan usuario comienza a controlarlo.", - "OptionMaxQualityTranscoding": "M\u00e1xima calidad", - "HeaderRemoteControl": "Control Remoto", - "LabelPublicHttpsPortHelp": "El n\u00famero de puerto p\u00fablico que deber\u00e1 ser mapeado al puerto local de https.", - "OptionEnableDebugTranscodingLogging": "Habilitar el registro de transcodificaci\u00f3n en la bit\u00e1cora", + "HeaderSetupLibrary": "Configurar su biblioteca de medios", + "ButtonAddMediaFolder": "Agregar carpeta de medios", + "LabelFolderType": "Tipo de carpeta:", + "ReferToMediaLibraryWiki": "Consultar la wiki de la biblioteca de medios.", + "LabelCountry": "Pa\u00eds:", + "LabelLanguage": "Idioma:", + "LabelTimeLimitHours": "L\u00edmite de Tiempo (horas):", + "ButtonJoinTheDevelopmentTeam": "Unirse al Equipo de Desarrollo.", + "HeaderPreferredMetadataLanguage": "Idioma preferido para metadatos:", + "LabelSaveLocalMetadata": "Guardar im\u00e1genes y metadatos en las carpetas de medios", + "LabelSaveLocalMetadataHelp": "Guardar im\u00e1genes y metadatos directamente en las carpetas de medios los colocar\u00e1 en un lugar donde se pueden editar f\u00e1cilmente.", + "LabelDownloadInternetMetadata": "Descargar im\u00e1genes y metadatos de internet", + "LabelDownloadInternetMetadataHelp": "El servidor Emby puede descargar informaci\u00f3n sobre sus medios para habilitar presentaciones mas enriquecidas.", + "TabPreferences": "Preferencias", + "TabPassword": "Contrase\u00f1a", + "TabLibraryAccess": "Acceso a biblioteca", + "TabAccess": "Acceso", + "TabImage": "Imagen", + "TabProfile": "Perf\u00edl", + "TabMetadata": "Metadatos", + "TabImages": "Im\u00e1genes", + "TabNotifications": "Notificaciones", + "TabCollectionTitles": "T\u00edtulos", + "HeaderDeviceAccess": "Acceso a Dispositivos", + "OptionEnableAccessFromAllDevices": "Habilitar acceso desde todos los dispositivos", + "OptionEnableAccessToAllChannels": "Habilitar acceso a todos los canales", + "OptionEnableAccessToAllLibraries": "Habilitar el acceso a todas las bibliotecas", + "DeviceAccessHelp": "Esto solo aplica a dispositivos que pueden ser identificados de manera individual y no evitar\u00e1 acceso al navegador. Al filtrar el acceso de usuarios a dispositivos se impedir\u00e1 que utilicen nuevos dispositivos hasta que hayan sido aprobados aqu\u00ed.", + "LabelDisplayMissingEpisodesWithinSeasons": "Mostar episodios no disponibles en las temporadas", + "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar episodios a\u00fan no emitidos en las temporadas", + "HeaderVideoPlaybackSettings": "Ajustes de Reproducci\u00f3n de Video", + "HeaderPlaybackSettings": "Configuraci\u00f3n de Reproducci\u00f3n", + "LabelAudioLanguagePreference": "Preferencia de idioma de audio:", + "LabelSubtitleLanguagePreference": "Preferencia de idioma de subt\u00edtulos:", "OptionDefaultSubtitles": "Por Defecto", - "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.", - "LabelEnableHttps": "Reportar https como una direcci\u00f3n externa", - "HeaderUsers": "Usuarios", "OptionOnlyForcedSubtitles": "\u00danicamente subt\u00edtulos forzados", - "HeaderFilters": "Filtros:", "OptionAlwaysPlaySubtitles": "Siempre mostrar subt\u00edtulos", - "LabelEnableHttpsHelp": "Al habilitarse, el servidor reportara un URL https a los clientes como su direcci\u00f3n externa.", - "ButtonFilter": "Filtro", + "OptionNoSubtitles": "Sin Subtitulos", "OptionDefaultSubtitlesHelp": "Los subt\u00edtulos que coincidan con el lenguaje preferido ser\u00e1n cargados cuando el audio se encuentre en un lenguaje extranjero.", - "OptionFavorite": "Favoritos", "OptionOnlyForcedSubtitlesHelp": "Se cargar\u00e1n \u00fanicamente subt\u00edtulos marcados como forzados.", - "LabelHttpsPort": "N\u00famero de puerto https local:", - "OptionLikes": "Me gusta", "OptionAlwaysPlaySubtitlesHelp": "Los subt\u00edtulos que coincidan con el lenguaje preferido ser\u00e1n cargados independientemente del lenguaje del audio.", - "OptionDislikes": "No me gusta", "OptionNoSubtitlesHelp": "Los subt\u00edtulos no ser\u00e1n cargados por defecto.", - "LabelHttpsPortHelp": "El numero de puerto tcp con el que se deber\u00e1 vincular el servidor https de Emby.", + "TabProfiles": "Perfiles", + "TabSecurity": "Seguridad", + "ButtonAddUser": "Agregar Usuario", + "ButtonAddLocalUser": "Agregar Usuario Local", + "ButtonInviteUser": "Invitar Usuario", + "ButtonSave": "Guardar", + "ButtonResetPassword": "Restablecer Contrase\u00f1a", + "LabelNewPassword": "Nueva contrase\u00f1a:", + "LabelNewPasswordConfirm": "Confirmaci\u00f3n de contrase\u00f1a nueva:", + "HeaderCreatePassword": "Crear Contrase\u00f1a", + "LabelCurrentPassword": "Contrase\u00f1a actual:", + "LabelMaxParentalRating": "M\u00e1xima clasificaci\u00f3n parental permitida:", + "MaxParentalRatingHelp": "El contenido con clasificaci\u00f3n parental superior se ocultar\u00e1 para este usuario.", + "LibraryAccessHelp": "Seleccione las carpetas de medios para compartir con este usuario. Los administradores podr\u00e1n editar todas las carpetas usando el administrador de metadatos.", + "ChannelAccessHelp": "Seleccione los canales a compartir con este usuario. Los administradores podr\u00e1n editar todos los canales empleando el administrador de metadatos.", + "ButtonDeleteImage": "Eliminar Imagen", + "LabelSelectUsers": "Seleccionar Usuarios:", + "ButtonUpload": "Subir", + "HeaderUploadNewImage": "Subir Nueva Imagen", + "LabelDropImageHere": "Depositar imagen aqu\u00ed", + "ImageUploadAspectRatioHelp": "Se Recomienda una Proporci\u00f3n de Aspecto 1:1. Solo JPG\/PNG.", + "MessageNothingHere": "Nada aqu\u00ed.", + "MessagePleaseEnsureInternetMetadata": "Por favor aseg\u00farese que la descarga de metadatos de internet esta habilitada.", + "TabSuggested": "Sugerencias", + "TabSuggestions": "Sugerencias", + "TabLatest": "Recientes", + "TabUpcoming": "Proximamente", + "TabShows": "Programas", + "TabEpisodes": "Episodios", + "TabGenres": "G\u00e9neros", + "TabPeople": "Personas", + "TabNetworks": "Cadenas", + "HeaderUsers": "Usuarios", + "HeaderFilters": "Filtros:", + "ButtonFilter": "Filtro", + "OptionFavorite": "Favoritos", + "OptionLikes": "Me gusta", + "OptionDislikes": "No me gusta", "OptionActors": "Actores", - "TangibleSoftwareMessage": "Utilizando convertidores Java\/C# de Tangible Solutions por medio de una licencia donada.", "OptionGuestStars": "Estrellas Invitadas", - "HeaderCredits": "Cr\u00e9ditos", "OptionDirectors": "Directores", - "TabCollections": "Colecciones", "OptionWriters": "Guionistas", - "TabFavorites": "Favoritos", "OptionProducers": "Productores", - "TabMyLibrary": "Mi Biblioteca", - "HeaderServices": "Servicios", "HeaderResume": "Continuar", - "LabelCustomizeOptionsPerMediaType": "Personalizar por tipo de medio:", "HeaderNextUp": "A Continuaci\u00f3n", "NoNextUpItemsMessage": "No se encontr\u00f3 nada. \u00a1Comienza a ver tus programas!", "HeaderLatestEpisodes": "Episodios Recientes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Videos Musicales", "ButtonSort": "Ordenar", "HeaderSortBy": "Ordenar Por:", - "OptionEnableAccessToAllChannels": "Habilitar acceso a todos los canales", "HeaderSortOrder": "Ordenado Por:", - "LabelAutomaticUpdates": "Habilitar actualizaciones autom\u00e1ticas", "OptionPlayed": "Reproducido", - "LabelFanartApiKey": "Clave api personal:", "OptionUnplayed": "No reproducido", - "LabelFanartApiKeyHelp": "Solicitar fanart sin una clave API personal muestra los resultados que fueron aprobados hace 7 d\u00edas. Con una clave API personal se reduce a 48 horas y si eres miembro VIP de fanart ser\u00e1 alrededor de 10 minutos.", "OptionAscending": "Ascendente", "OptionDescending": "Descendente", "OptionRuntime": "Duraci\u00f3n", + "OptionReleaseDate": "Fecha de Liberaci\u00f3n", "OptionPlayCount": "N\u00famero de Reproducc.", "OptionDatePlayed": "Fecha de Reproducci\u00f3n", - "HeaderRepeatingOptions": "Opciones de repetici\u00f3n", "OptionDateAdded": "Fecha de Adici\u00f3n", - "HeaderTV": "TV", "OptionAlbumArtist": "Artista del \u00c1lbum", - "HeaderTermsOfService": "T\u00e9rminos de Servicio de Emby", - "LabelCustomCss": "css personalizado:", - "OptionDetectArchiveFilesAsMedia": "Detectar archivos comprimidos como medios", "OptionArtist": "Artista", - "MessagePleaseAcceptTermsOfService": "Por favor acepte los t\u00e9rminos del servicio y la pol\u00edtica de privacidad antes de continuar.", - "OptionDetectArchiveFilesAsMediaHelp": "Al habilitarlo, los archivos con extensiones .rar y .zip ser\u00e1n detectados como archivos de medios.", "OptionAlbum": "\u00c1lbum", - "OptionIAcceptTermsOfService": "Acepto los t\u00e9rminos del servicio.", - "LabelCustomCssHelp": "Aplicar tu propia css personalizada a la interfaz web.", "OptionTrackName": "Nombre de la Pista", - "ButtonPrivacyPolicy": "Pol\u00edtica de privacidad", - "LabelSelectUsers": "Seleccionar Usuarios:", "OptionCommunityRating": "Calificaci\u00f3n de la Comunidad", - "ButtonTermsOfService": "T\u00e9rminos del Servicio", "OptionNameSort": "Nombre", + "OptionFolderSort": "Carpetas", "OptionBudget": "Presupuesto", - "OptionHideUserFromLoginHelp": "\u00datil para cuentas privadas o de administrador ocultas. El usuario tendr\u00e1 que iniciar sesi\u00f3n manualmente introduciendo su nombre de usuario y contrase\u00f1a.", "OptionRevenue": "Recaudaci\u00f3n", "OptionPoster": "P\u00f3ster", + "OptionPosterCard": "Tarjeta de P\u00f3ster", + "OptionBackdrop": "Imagen de Fondo", "OptionTimeline": "L\u00ednea de Tiempo", + "OptionThumb": "Miniatura", + "OptionThumbCard": "Tarjeta de Miniatura", + "OptionBanner": "Cart\u00e9l", "OptionCriticRating": "Calificaci\u00f3n de la Cr\u00edtica", "OptionVideoBitrate": "Tasa de bits de Video", "OptionResumable": "Reanudable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Tareas Programadas", "TabMyPlugins": "Mis Complementos", "TabCatalog": "Cat\u00e1logo", - "ThisWizardWillGuideYou": "Este asistente le guiar\u00e1 a trav\u00e9s del proceso de instalaci\u00f3n. Para comenzar, por favor seleccione su lenguaje preferido.", - "TellUsAboutYourself": "D\u00edganos sobre usted", + "TitlePlugins": "Complementos", "HeaderAutomaticUpdates": "Actualizaciones Autom\u00e1ticas", - "LabelYourFirstName": "Su nombre:", - "LabelPinCode": "C\u00f3digo pin:", - "MoreUsersCanBeAddedLater": "Se pueden agregar m\u00e1s usuarios posteriormente en el Panel de Control.", "HeaderNowPlaying": "Reproduciendo Ahora", - "UserProfilesIntro": "Emby incluye soporte integrado para perfiles de usuario, habilitando a cada usuario para tener sus propias configuraciones de visualizaci\u00f3n, reproducci\u00f3n y controles parentales.", "HeaderLatestAlbums": "\u00c1lbumes Recientes", - "LabelWindowsService": "Servicio de Windows", "HeaderLatestSongs": "Canciones Recientes", - "ButtonExit": "Salir", - "ButtonConvertMedia": "Convertir Medios", - "AWindowsServiceHasBeenInstalled": "Se ha instalado un Servicio de Windows.", "HeaderRecentlyPlayed": "Reproducido Recientemente", - "LabelTimeLimitHours": "L\u00edmite de Tiempo (horas):", - "WindowsServiceIntro1": "El Servidor Emby normalmente se ejecuta como una aplicaci\u00f3n de escritorio con un icono de bandeja, pero si prefiere ejecutarlo como un servicio de fondo, puede en su lugar ser iniciado en los servicios desde el panel de control de windows.", "HeaderFrequentlyPlayed": "Reproducido Frecuentemente", - "ButtonOrganize": "Organizar", - "WindowsServiceIntro2": "Si utiliza el servicio de Windows, tenga en cuenta que no se puede ejecutar simult\u00e1neamiente con el icono en el \u00e1rea de notificaci\u00f3n, por lo que tendr\u00e1 que finalizar desde el icono para poder ejecutar el servicio. Adicionalmente, el servicio deber\u00e1 ser configurado con privilegios administrativos a trav\u00e9s del panel de control del servicio. Tenga en cuenta que en este momento el servicio no es capaz de actualizarse a s\u00ed mismo, por lo que las nuevas versiones requerir\u00e1n de interacci\u00f3n manual.", "DevBuildWarning": "Las compilaciones de Desarrollo son la punta de lanza. Se publican frecuentemente, estas compilaciones no se han probado. La aplicaci\u00f3n se puede bloquear y caracter\u00edsticas completas pueden no funcionar.", - "HeaderGrownupsOnly": "\u00a1Solo Adultos!", - "WizardCompleted": "Eso es todo lo que necesitamos por ahora, Emby ha comenzado a recolectar informaci\u00f3n sobre su biblioteca de medios. Revise algunas de nuestras aplicaciones, y haga clic en Finalizar<\/b> para ver el Panel de Control<\/b>", - "ButtonJoinTheDevelopmentTeam": "Unirse al Equipo de Desarrollo.", - "LabelConfigureSettings": "Configuraci\u00f3n de opciones", - "LabelEnableVideoImageExtraction": "Habilitar extracci\u00f3n de im\u00e1genes de video", - "DividerOr": "--o--", - "OptionEnableAccessToAllLibraries": "Habilitar el acceso a todas las bibliotecas", - "VideoImageExtractionHelp": "Para videos que no cuenten con im\u00e1genes, y para los que no podemos encontrar im\u00e1genes en Internet. Esto incrementar\u00e1 un poco el tiempo de la exploraci\u00f3n inicial de las bibliotecas, pero resultar\u00e1 en una presentaci\u00f3n m\u00e1s agradable.", - "LabelEnableChapterImageExtractionForMovies": "Extraer im\u00e1genes de cap\u00edtulos para Pel\u00edculas", - "HeaderInstalledServices": "Servicios Instalados", - "LabelChapterImageExtractionForMoviesHelp": "Extraer las im\u00e1genes de los cap\u00edtulos permitir\u00e1 a sus clientes mostrar gr\u00e1ficamente los men\u00fas de selecci\u00f3n de escenas. El proceso puede ser lento, hacer uso intensivo del cpu y requerir el uso de varios gigabytes de espacio. Se ejecuta como una tarea nocturna programada, aunque puede configurarse en el \u00e1rea de tareas programadas. No se recomienda ejecutarlo durante un horario de uso intensivo.", - "TitlePlugins": "Complementos", - "HeaderToAccessPleaseEnterEasyPinCode": "Para acceder, por favor introduzca su c\u00f3digo pin sencillo", - "LabelEnableAutomaticPortMapping": "Habilitar mapeo autom\u00e1tico de puertos", - "HeaderSupporterBenefits": "Beneficios del Aficionado", - "LabelEnableAutomaticPortMappingHelp": "UPnP permite la configuraci\u00f3n de ruteador de manera autom\u00e1tica, para acceso remoto de manera f\u00e1cil. Eso puede no funcionar con algunos modelos de ruteadores.", - "HeaderAvailableServices": "Servicios Disponibles", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Haga clic en el icono de candado en la esquina inferior derecha para configurar o abandonar el modo para ni\u00f1os.", - "ButtonCancel": "Cancelar", - "HeaderAddUser": "Agregar Usuario", - "HeaderSetupLibrary": "Configurar su biblioteca de medios", - "MessageNoServicesInstalled": "No hay servicios instalados en este momento.", - "ButtonAddMediaFolder": "Agregar carpeta de medios", - "ButtonConfigurePinCode": "Configurar c\u00f3digo pin", - "LabelFolderType": "Tipo de carpeta:", - "LabelAddConnectSupporterHelp": "Para agregar un usuario que no esta listado, necesita primero enlazar su cuenta a Emby Connect desde su pagina de perfil de usuario.", - "ReferToMediaLibraryWiki": "Consultar la wiki de la biblioteca de medios.", - "HeaderAdultsReadHere": "\u00a1Adultos Leer Esto!", - "LabelCountry": "Pa\u00eds:", - "LabelLanguage": "Idioma:", - "HeaderPreferredMetadataLanguage": "Idioma preferido para metadatos:", - "LabelEnableEnhancedMovies": "Habilitar visualizaci\u00f3n mejorada de pel\u00edculas", - "LabelSaveLocalMetadata": "Guardar im\u00e1genes y metadatos en las carpetas de medios", - "LabelSaveLocalMetadataHelp": "Guardar im\u00e1genes y metadatos directamente en las carpetas de medios los colocar\u00e1 en un lugar donde se pueden editar f\u00e1cilmente.", - "LabelDownloadInternetMetadata": "Descargar im\u00e1genes y metadatos de internet", - "LabelEnableEnhancedMoviesHelp": "Cuando se activa, la pel\u00edculas ser\u00e1n mostradas como carpetas para incluir tr\u00e1ilers, extras, elenco y equipo, y otros contenidos relacionados.", - "HeaderDeviceAccess": "Acceso a Dispositivos", - "LabelDownloadInternetMetadataHelp": "El servidor Emby puede descargar informaci\u00f3n sobre sus medios para habilitar presentaciones mas enriquecidas.", - "OptionThumb": "Miniatura", - "LabelExit": "Salir", - "OptionBanner": "Cart\u00e9l", - "LabelVisitCommunity": "Visitar la Comunidad", "LabelVideoType": "Tipo de Video:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Est\u00e1ndar", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Habilitar acceso desde todos los dispositivos", - "LabelBrowseLibrary": "Explorar Biblioteca", "LabelFeatures": "Caracter\u00edsticas:", - "DeviceAccessHelp": "Esto solo aplica a dispositivos que pueden ser identificados de manera individual y no evitar\u00e1 acceso al navegador. Al filtrar el acceso de usuarios a dispositivos se impedir\u00e1 que utilicen nuevos dispositivos hasta que hayan sido aprobados aqu\u00ed.", - "ChannelAccessHelp": "Seleccione los canales a compartir con este usuario. Los administradores podr\u00e1n editar todos los canales empleando el administrador de metadatos.", + "LabelService": "Servicio:", + "LabelStatus": "Estado:", + "LabelVersion": "Versi\u00f3n:", + "LabelLastResult": "\u00daltimo resultado:", "OptionHasSubtitles": "Subt\u00edtulos", - "LabelOpenLibraryViewer": "Abrir el Visor de la Biblioteca", "OptionHasTrailer": "Tr\u00e1iler", - "LabelRestartServer": "Reiniciar el Servidor", "OptionHasThemeSong": "Canci\u00f3n del Tema", - "LabelShowLogWindow": "Mostrar Ventana de Bit\u00e1cora", "OptionHasThemeVideo": "Video del Tema", - "LabelPrevious": "Anterior", "TabMovies": "Pel\u00edculas", - "LabelFinish": "Terminar", "TabStudios": "Estudios", - "FolderTypeMixed": "Contenido mezclado", - "LabelNext": "Siguiente", "TabTrailers": "Tr\u00e1ilers", - "FolderTypeMovies": "Pel\u00edculas", - "LabelYoureDone": "Ha Terminado!", + "LabelArtists": "Artistas:", + "LabelArtistsHelp": "Separar m\u00faltiples empleando:", "HeaderLatestMovies": "Pel\u00edculas Recientes", - "FolderTypeMusic": "M\u00fasica", - "ButtonPlayTrailer": "Tr\u00e1iler", - "HeaderSyncRequiresSupporterMembership": "Sinc requiere de una Membres\u00eda de Aficionado", "HeaderLatestTrailers": "Tr\u00e1ilers Recientes", - "FolderTypeAdultVideos": "Videos para adultos", "OptionHasSpecialFeatures": "Caracter\u00edsticas Especiales", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "HeaderEnjoyDayTrial": "Disfrute de una Prueba Gratuita por 14 D\u00edas", "OptionImdbRating": "Calificaci\u00f3n de IMDb", - "FolderTypeMusicVideos": "Videos musicales", - "LabelFailed": "Fallido", "OptionParentalRating": "Clasificaci\u00f3n Parental", - "FolderTypeHomeVideos": "Videos caseros", - "LabelSeries": "Series:", "OptionPremiereDate": "Fecha de Estreno", - "FolderTypeGames": "Juegos", - "ButtonRefresh": "Actualizar", "TabBasic": "B\u00e1sico", - "FolderTypeBooks": "Libros", - "HeaderPlaybackSettings": "Configuraci\u00f3n de Reproducci\u00f3n", "TabAdvanced": "Avanzado", - "FolderTypeTvShows": "TV", "HeaderStatus": "Estado", "OptionContinuing": "Continuando", "OptionEnded": "Finalizado", - "HeaderSync": "Sinc", - "TabPreferences": "Preferencias", "HeaderAirDays": "D\u00edas de Emisi\u00f3n", - "OptionReleaseDate": "Fecha de Liberaci\u00f3n", - "TabPassword": "Contrase\u00f1a", - "HeaderEasyPinCode": "C\u00f3digo Pin Sencillo", "OptionSunday": "Domingo", - "LabelArtists": "Artistas:", - "TabLibraryAccess": "Acceso a biblioteca", - "TitleAutoOrganize": "Auto-Organizar", "OptionMonday": "Lunes", - "LabelArtistsHelp": "Separar m\u00faltiples empleando:", - "TabImage": "Imagen", - "TabActivityLog": "Bit\u00e1cora de Actividades", "OptionTuesday": "Martes", - "ButtonAdvancedRefresh": "Actualizaci\u00f3n Avanzada", - "TabProfile": "Perf\u00edl", - "HeaderName": "Nombre", "OptionWednesday": "Mi\u00e9rcoles", - "LabelDisplayMissingEpisodesWithinSeasons": "Mostar episodios no disponibles en las temporadas", - "HeaderDate": "Fecha", "OptionThursday": "Jueves", - "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar episodios a\u00fan no emitidos en las temporadas", - "HeaderSource": "Fuente", "OptionFriday": "Viernes", - "ButtonAddLocalUser": "Agregar Usuario Local", - "HeaderVideoPlaybackSettings": "Ajustes de Reproducci\u00f3n de Video", - "HeaderDestination": "Destino", "OptionSaturday": "S\u00e1bado", - "LabelAudioLanguagePreference": "Preferencia de idioma de audio:", - "HeaderProgram": "Programa", "HeaderManagement": "Administraci\u00f3n", - "OptionMissingTmdbId": "Falta Id de Tmdb", - "LabelSubtitleLanguagePreference": "Preferencia de idioma de subt\u00edtulos:", - "HeaderClients": "Clientes", + "LabelManagement": "Administraci\u00f3n:", "OptionMissingImdbId": "Falta Id de IMDb", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completado", "OptionMissingTvdbId": "Falta Id de TheTVDB", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Gu\u00eda de inicio r\u00e1pido", - "TabProfiles": "Perfiles", "OptionMissingOverview": "Falta Sinopsis", + "OptionFileMetadataYearMismatch": "No coincide el A\u00f1o del Archivo con los Metadatos", + "TabGeneral": "General", + "TitleSupport": "Soporte", + "LabelSeasonNumber": "Season number", + "TabLog": "Bit\u00e1cora", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Acerca de", + "TabSupporterKey": "Clave de Aficionado", + "TabBecomeSupporter": "Convertirse en Aficionado", + "ProjectHasCommunity": "Emby cuenta con una pr\u00f3spera comunidad de usuarios y colaboradores.", + "CheckoutKnowledgeBase": "Eche un vistazo a nuestra base de conocimiento para ayudarle a sacar el m\u00e1ximo provecho a Emby", + "SearchKnowledgeBase": "Buscar en la Base de Conocimiento", + "VisitTheCommunity": "Visitar la Comunidad", + "VisitProjectWebsite": "Visitar el Sitio Web de Emby", + "VisitProjectWebsiteLong": "Visite el sitio Web para conocer las ultimas noticias y mantenerse al d\u00eda con el blog de desarrolladores.", + "OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesi\u00f3n", + "OptionHideUserFromLoginHelp": "\u00datil para cuentas privadas o de administrador ocultas. El usuario tendr\u00e1 que iniciar sesi\u00f3n manualmente introduciendo su nombre de usuario y contrase\u00f1a.", + "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.", + "HeaderAdvancedControl": "Control Avanzado", + "LabelName": "Nombre:", + "ButtonHelp": "Ayuda", + "OptionAllowUserToManageServer": "Permitir a este usuario administrar el servidor", + "HeaderFeatureAccess": "Permisos de acceso", + "OptionAllowMediaPlayback": "Permitir reproducci\u00f3n de medios", + "OptionAllowBrowsingLiveTv": "Permitir acceso a TV en Vivo", + "OptionAllowDeleteLibraryContent": "Permitir eliminaci\u00f3n de medios", + "OptionAllowManageLiveTv": "Permitir gesti\u00f3n de grabaci\u00f3n de TV en Vivo", + "OptionAllowRemoteControlOthers": "Permitir control remoto de otros usuarios", + "OptionAllowRemoteSharedDevices": "Permitir control remoto de dispositivos compartidos", + "OptionAllowRemoteSharedDevicesHelp": "Los dispositivos dnla son considerados como compartidos hasta que alg\u00fan usuario comienza a controlarlo.", + "OptionAllowLinkSharing": "Permitir compartir medios en redes sociales.", + "OptionAllowLinkSharingHelp": "Solo son compartidas paginas web que contengan informaci\u00f3n sobre los medios. Los archivos de medios nunca son compartidos p\u00fablicamente. Son compartidos por un tiempo limitado y expiraran basados en las configuraciones para compartir de su servidor.", + "HeaderSharing": "Compartido", + "HeaderRemoteControl": "Control Remoto", + "OptionMissingTmdbId": "Falta Id de Tmdb", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Trabajo de Sinc", - "TabSecurity": "Seguridad", - "HeaderVideo": "Video", - "LabelSkipped": "Omitido", - "OptionFileMetadataYearMismatch": "No coincide el A\u00f1o del Archivo con los Metadatos", "ButtonSelect": "Seleccionar", - "ButtonAddUser": "Agregar Usuario", - "HeaderEpisodeOrganization": "Organizaci\u00f3n de Episodios", - "TabGeneral": "General", "ButtonGroupVersions": "Agrupar Versiones", - "TabGuide": "Gu\u00eda", - "ButtonSave": "Guardar", - "TitleSupport": "Soporte", + "ButtonAddToCollection": "Agregar a Colecci\u00f3n", "PismoMessage": "Utilizando Pismo File Mount a trav\u00e9s de una licencia donada.", - "TabChannels": "Canales", - "ButtonResetPassword": "Restablecer Contrase\u00f1a", - "LabelSeasonNumber": "N\u00famero de temporada:", - "TabLog": "Bit\u00e1cora", + "TangibleSoftwareMessage": "Utilizando convertidores Java\/C# de Tangible Solutions por medio de una licencia donada.", + "HeaderCredits": "Cr\u00e9ditos", "PleaseSupportOtherProduces": "Por favor apoye otros productos libres que utilizamos:", - "HeaderChannels": "Canales", - "LabelNewPassword": "Nueva contrase\u00f1a:", - "LabelEpisodeNumber": "N\u00famero de episodio:", - "TabAbout": "Acerca de", "VersionNumber": "Versi\u00f3n {0}", - "TabRecordings": "Grabaciones", - "LabelNewPasswordConfirm": "Confirmaci\u00f3n de contrase\u00f1a nueva:", - "LabelEndingEpisodeNumber": "N\u00famero episodio final:", - "TabSupporterKey": "Clave de Aficionado", "TabPaths": "Rutas", - "TabScheduled": "Programados", - "HeaderCreatePassword": "Crear Contrase\u00f1a", - "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio", - "TabBecomeSupporter": "Convertirse en Aficionado", "TabServer": "Servidor", - "TabSeries": "Series", - "LabelCurrentPassword": "Contrase\u00f1a actual:", - "HeaderSupportTheTeam": "Apoye al equipo de Emby", "TabTranscoding": "Transcodificaci\u00f3n", - "ButtonCancelRecording": "Cancelar Grabaci\u00f3n", - "LabelMaxParentalRating": "M\u00e1xima clasificaci\u00f3n parental permitida:", - "LabelSupportAmount": "Importe (USD)", - "CheckoutKnowledgeBase": "Eche un vistazo a nuestra base de conocimiento para ayudarle a sacar el m\u00e1ximo provecho a Emby", "TitleAdvanced": "Avanzado", - "HeaderPrePostPadding": "Pre\/Post protecci\u00f3n", - "MaxParentalRatingHelp": "El contenido con clasificaci\u00f3n parental superior se ocultar\u00e1 para este usuario.", - "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.", - "SearchKnowledgeBase": "Buscar en la Base de Conocimiento", "LabelAutomaticUpdateLevel": "Nivel de actualizaci\u00f3n autom\u00e1tico", - "LabelPrePaddingMinutes": "Minutos de protecci\u00f3n previos:", - "LibraryAccessHelp": "Seleccione las carpetas de medios para compartir con este usuario. Los administradores podr\u00e1n editar todas las carpetas usando el administrador de metadatos.", - "ButtonEnterSupporterKey": "Introduzca la Clave de Aficionado", - "VisitTheCommunity": "Visitar la Comunidad", + "OptionRelease": "Versi\u00f3n Oficial", + "OptionBeta": "Beta", + "OptionDev": "Desarrollo (Inestable)", "LabelAllowServerAutoRestart": "Permite al servidor reiniciar autom\u00e1ticamente para aplicar actualizaciones", - "OptionPrePaddingRequired": "Prtecci\u00f3n previa es requerida para grabar.", - "OptionNoSubtitles": "Sin Subtitulos", - "DonationNextStep": "Cuando haya terminado, regrese e introduzca la clave de seguidor que recibir\u00e1 por correo electr\u00f3nico.", "LabelAllowServerAutoRestartHelp": "El servidor reiniciar\u00e1 \u00fanicamente durante periodos ociosos, cuando no haya usuarios activos.", - "LabelPostPaddingMinutes": "Minutos de protecci\u00f3n posterior:", - "AutoOrganizeHelp": "La organizaci\u00f3n autom\u00e1tica monitorea sus carpetas de descarga en busca de nuevos archivos y los mueve a sus carpetas de medios.", "LabelEnableDebugLogging": "Habilitar bit\u00e1coras de depuraci\u00f3n", - "OptionPostPaddingRequired": "Protecci\u00f3n posterior es requerida para grabar.", - "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo agregar\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.", - "OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesi\u00f3n", "LabelRunServerAtStartup": "Ejecutar el servidor al iniciar", - "HeaderWhatsOnTV": "\u00bfQu\u00e9 hay?", - "ButtonNew": "Nuevo", - "OptionEnableEpisodeOrganization": "Habilitar la organizaci\u00f3n de nuevos episodios", - "OptionDisableUser": "Desactivar este usuario", "LabelRunServerAtStartupHelp": "Esto iniciar\u00e1 el icono en el \u00e1rea de notificaci\u00f3n cuando windows arranque. Para iniciar el servicio de windows, desmarque esta opci\u00f3n y ejecute el servicio desde el panel de control de windows. Por favor tome en cuenta que no puede ejecutar ambos simult\u00e1neamente, por lo que deber\u00e1 finalizar el icono del \u00e1rea de notificaci\u00f3n antes de iniciar el servicio.", - "HeaderUpcomingTV": "Programas por Estrenar", - "TabMetadata": "Metadatos", - "LabelWatchFolder": "Carpeta de Inspecci\u00f3n:", - "OptionDisableUserHelp": "Si est\u00e1 desactivado, el servidor no aceptar\u00e1 conexiones de este usuario. Las conexiones existentes ser\u00e1n finalizadas abruptamente.", "ButtonSelectDirectory": "Seleccionar Carpeta", - "TabStatus": "Estado", - "TabImages": "Im\u00e1genes", - "LabelWatchFolderHelp": "El servidor inspeccionar\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".", - "HeaderAdvancedControl": "Control Avanzado", "LabelCustomPaths": "Especificar rutas personalizadas cuando se desee. Deje los campos vac\u00edos para usar los valores predeterminados.", - "TabSettings": "Configuraci\u00f3n", - "TabCollectionTitles": "T\u00edtulos", - "TabPlaylist": "Lista de Reproducci\u00f3n", - "ButtonViewScheduledTasks": "Ver tareas programadas", - "LabelName": "Nombre:", "LabelCachePath": "Ruta para el Cach\u00e9:", - "ButtonRefreshGuideData": "Actualizar Datos de la Gu\u00eda", - "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):", - "OptionAllowUserToManageServer": "Permitir a este usuario administrar el servidor", "LabelCachePathHelp": "Especifique una ubicaci\u00f3n personalizada para los archivos de cach\u00e9 del servidor, tales como im\u00e1genes.", - "OptionPriority": "Prioridad", - "ButtonRemove": "Eliminar", - "LabelMinFileSizeForOrganizeHelp": "Los archivos de tama\u00f1o menor a este ser\u00e1n ignorados.", - "HeaderFeatureAccess": "Permisos de acceso", "LabelImagesByNamePath": "Ruta para Im\u00e1genes por nombre:", - "OptionRecordOnAllChannels": "Grabar en todos los canales", - "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que usted desee agrupar dentro de esta colecci\u00f3n.", - "TabAccess": "Acceso", - "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:", - "OptionAllowMediaPlayback": "Permitir reproducci\u00f3n de medios", "LabelImagesByNamePathHelp": "Especifique una ubicaci\u00f3n personalizada para im\u00e1genes descargadas de actores, artistas, g\u00e9neros y estudios.", - "OptionRecordAnytime": "Grabar en cualquier momento", - "HeaderAddTitles": "Agregar T\u00edtulos", - "OptionAllowBrowsingLiveTv": "Permitir acceso a TV en Vivo", "LabelMetadataPath": "Ruta para metadatos:", - "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos episodios", - "LabelEnableDlnaPlayTo": "Habilitar Reproducir En mediante DLNA", - "OptionAllowDeleteLibraryContent": "Permitir eliminaci\u00f3n de medios", "LabelMetadataPathHelp": "Especifique una ubicaci\u00f3n personalizada para ilustraciones descargadas y metadatos cuando no han sido configurados para almacenarse en carpetas de medios.", + "LabelTranscodingTempPath": "Ruta para transcodificaci\u00f3n temporal:", + "LabelTranscodingTempPathHelp": "Esta carpeta contiene archivos de trabajo usados por el transcodificador. Especifique una trayectoria personalizada, o d\u00e9jela vac\u00eda para utilizar su valor por omisi\u00f3n en la carpeta de datos del servidor.", + "TabBasics": "B\u00e1sicos", + "TabTV": "TV", + "TabGames": "Juegos", + "TabMusic": "M\u00fasica", + "TabOthers": "Otros", + "HeaderExtractChapterImagesFor": "Extraer im\u00e1genes de cap\u00edtulos para:", + "OptionMovies": "Pel\u00edculas", + "OptionEpisodes": "Episodios", + "OptionOtherVideos": "Otros Videos", + "TitleMetadata": "Metadatos", + "LabelAutomaticUpdates": "Habilitar actualizaciones autom\u00e1ticas", + "LabelAutomaticUpdatesTmdb": "Habilitar actualizaciones autom\u00e1ticas desde TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Habilitar actualizaciones autom\u00e1ticas desde TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a fanart.tv. Las Im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LabelAutomaticUpdatesTmdbHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a TheMovieDB.org. Las im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LabelAutomaticUpdatesTvdbHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a TheTVDB.com. Las im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LabelFanartApiKey": "Clave api personal:", + "LabelFanartApiKeyHelp": "Solicitar fanart sin una clave API personal muestra los resultados que fueron aprobados hace 7 d\u00edas. Con una clave API personal se reduce a 48 horas y si eres miembro VIP de fanart ser\u00e1 alrededor de 10 minutos.", + "ExtractChapterImagesHelp": "Extraer las im\u00e1genes de los cap\u00edtulos permitir\u00e1 a sus clientes mostrar gr\u00e1ficamente los men\u00fas de selecci\u00f3n de escenas. El proceso puede ser lento, hacer uso intensivo del cpu y requerir el uso de varios gigabytes de espacio. Se ejecuta como una tarea nocturna programada, aunque puede configurarse en el \u00e1rea de tareas programadas. No se recomienda ejecutarlo durante un horario de uso intensivo.", + "LabelMetadataDownloadLanguage": "Lenguaje preferido para descargas:", + "ButtonAutoScroll": "Auto-desplazamiento", + "LabelImageSavingConvention": "Convenci\u00f3n de almacenamiento de im\u00e1genes:", + "LabelImageSavingConventionHelp": "Emby reconoce im\u00e1genes de la mayor\u00eda de las principales aplicaciones de medios. Seleccionar sus convenci\u00f3n de descarga es \u00fatil si tambi\u00e9n usa otros productos.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Est\u00e1ndar - MB2", + "ButtonSignIn": "Iniciar Sesi\u00f3n", + "TitleSignIn": "Iniciar Sesi\u00f3n", + "HeaderPleaseSignIn": "Por favor inicie sesi\u00f3n", + "LabelUser": "Usuario:", + "LabelPassword": "Contrase\u00f1a:", + "ButtonManualLogin": "Inicio de Sesi\u00f3n Manual:", + "PasswordLocalhostMessage": "Las contrase\u00f1as no se requieren cuando se inicia sesi\u00f3n desde localhost.", + "TabGuide": "Gu\u00eda", + "TabChannels": "Canales", + "TabCollections": "Colecciones", + "HeaderChannels": "Canales", + "TabRecordings": "Grabaciones", + "TabScheduled": "Programados", + "TabSeries": "Series", + "TabFavorites": "Favoritos", + "TabMyLibrary": "Mi Biblioteca", + "ButtonCancelRecording": "Cancelar Grabaci\u00f3n", + "HeaderPrePostPadding": "Pre\/Post protecci\u00f3n", + "LabelPrePaddingMinutes": "Minutos de protecci\u00f3n previos:", + "OptionPrePaddingRequired": "Prtecci\u00f3n previa es requerida para grabar.", + "LabelPostPaddingMinutes": "Minutos de protecci\u00f3n posterior:", + "OptionPostPaddingRequired": "Protecci\u00f3n posterior es requerida para grabar.", + "HeaderWhatsOnTV": "\u00bfQu\u00e9 hay?", + "HeaderUpcomingTV": "Programas por Estrenar", + "TabStatus": "Estado", + "TabSettings": "Configuraci\u00f3n", + "ButtonRefreshGuideData": "Actualizar Datos de la Gu\u00eda", + "ButtonRefresh": "Actualizar", + "ButtonAdvancedRefresh": "Actualizaci\u00f3n Avanzada", + "OptionPriority": "Prioridad", + "OptionRecordOnAllChannels": "Grabar en todos los canales", + "OptionRecordAnytime": "Grabar en cualquier momento", + "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos episodios", + "HeaderRepeatingOptions": "Opciones de repetici\u00f3n", "HeaderDays": "D\u00edas", + "HeaderActiveRecordings": "Grabaciones Activas", + "HeaderLatestRecordings": "Grabaciones Recientes", + "HeaderAllRecordings": "Todas las Grabaciones", + "ButtonPlay": "Reproducir", + "ButtonEdit": "Editar", + "ButtonRecord": "Grabar", + "ButtonDelete": "Eliminar", + "ButtonRemove": "Eliminar", + "OptionRecordSeries": "Grabar Series", + "HeaderDetails": "Detalles", + "TitleLiveTV": "TV en Vivo", + "LabelNumberOfGuideDays": "N\u00famero de d\u00edas de datos de la programaci\u00f3n a descargar", + "LabelNumberOfGuideDaysHelp": "Descargar m\u00e1s d\u00edas de datos de programaci\u00f3n permite programar con mayor anticipaci\u00f3n y ver m\u00e1s listados, pero tomar\u00e1 m\u00e1s tiempo en descargar. Auto har\u00e1 la selecci\u00f3n basada en el n\u00famero de canales.", + "OptionAutomatic": "Auto", + "HeaderServices": "Servicios", + "LiveTvPluginRequired": "Se requiere de un complemento proveedor de servicios de TV en vivo para continuar.", + "LiveTvPluginRequiredHelp": "Por favor instale alguno de los complementos disponibles, como Next PVR o ServerWMC.", + "LabelCustomizeOptionsPerMediaType": "Personalizar por tipo de medio:", + "OptionDownloadThumbImage": "Miniatura", + "OptionDownloadMenuImage": "Men\u00fa", + "OptionDownloadLogoImage": "Logo", + "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", + "HeaderAddScheduledTaskTrigger": "Agregar Disparador", + "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": "Tr\u00e1iler", + "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.", + "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": "Emby puede detectar dispositivos dentro de su red y ofrecer la capacidad de controlarlas remotamente.", - "OptionAllowManageLiveTv": "Permitir gesti\u00f3n de grabaci\u00f3n de TV en Vivo", - "LabelTranscodingTempPath": "Ruta para transcodificaci\u00f3n temporal:", - "HeaderActiveRecordings": "Grabaciones Activas", "LabelEnableDlnaDebugLogging": "Habilitar el registro de DLNA en la bit\u00e1cora", - "OptionAllowRemoteControlOthers": "Permitir control remoto de otros usuarios", - "LabelTranscodingTempPathHelp": "Esta carpeta contiene archivos de trabajo usados por el transcodificador. Especifique una trayectoria personalizada, o d\u00e9jela vac\u00eda para utilizar su valor por omisi\u00f3n en la carpeta de datos del servidor.", - "HeaderLatestRecordings": "Grabaciones Recientes", "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.", - "TabBasics": "B\u00e1sicos", - "HeaderAllRecordings": "Todas las Grabaciones", "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de Detecci\u00f3n de Clientes (segundos)", - "LabelEnterConnectUserName": "Nombre de usuario o correo:", - "TabTV": "TV", - "LabelService": "Servicio:", - "ButtonPlay": "Reproducir", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duraci\u00f3n en segundos entre b\u00fasquedas SSDP realizadas por Emby.", - "LabelEnterConnectUserNameHelp": "Este es su nombre de usuario o contrase\u00f1a de su cuenta Emby en linea.", - "TabGames": "Juegos", - "LabelStatus": "Estado:", - "ButtonEdit": "Editar", "HeaderCustomDlnaProfiles": "Perfiles Personalizados", - "TabMusic": "M\u00fasica", - "LabelVersion": "Versi\u00f3n:", - "ButtonRecord": "Grabar", "HeaderSystemDlnaProfiles": "Perfiles del Sistema", - "TabOthers": "Otros", - "LabelLastResult": "\u00daltimo resultado:", - "ButtonDelete": "Eliminar", "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.", - "HeaderExtractChapterImagesFor": "Extraer im\u00e1genes de cap\u00edtulos para:", - "OptionRecordSeries": "Grabar Series", "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.", - "OptionMovies": "Pel\u00edculas", - "HeaderDetails": "Detalles", "TitleDashboard": "Panel de Control", - "OptionEpisodes": "Episodios", "TabHome": "Inicio", - "OptionOtherVideos": "Otros Videos", "TabInfo": "Info", - "TitleMetadata": "Metadatos", "HeaderLinks": "Enlaces", "HeaderSystemPaths": "Rutas del Sistema", - "LabelAutomaticUpdatesTmdb": "Habilitar actualizaciones autom\u00e1ticas desde TheMovieDB.org", "LinkCommunity": "Comunidad", - "LabelAutomaticUpdatesTvdb": "Habilitar actualizaciones autom\u00e1ticas desde TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a fanart.tv. Las Im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LinkApi": "Api", "LinkApiDocumentation": "Documentaci\u00f3n del API", - "LabelAutomaticUpdatesTmdbHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a TheMovieDB.org. Las im\u00e1genes existentes no ser\u00e1n reemplazadas.", "LabelFriendlyServerName": "Nombre amigable del servidor:", - "LabelAutomaticUpdatesTvdbHelp": "Al habilitarlo, se descargar\u00e1n autom\u00e1ticamente nuevas im\u00e1genes conforme son a\u00f1adidas a TheTVDB.com. Las im\u00e1genes existentes no ser\u00e1n reemplazadas.", - "OptionFolderSort": "Carpetas", "LabelFriendlyServerNameHelp": "Este nombre ser\u00e1 usado para identificar este servidor. Si se deja en blanco, se usar\u00e1 el nombre de la computadora.", - "LabelConfigureServer": "Configurar Emby", - "ExtractChapterImagesHelp": "Extraer las im\u00e1genes de los cap\u00edtulos permitir\u00e1 a sus clientes mostrar gr\u00e1ficamente los men\u00fas de selecci\u00f3n de escenas. El proceso puede ser lento, hacer uso intensivo del cpu y requerir el uso de varios gigabytes de espacio. Se ejecuta como una tarea nocturna programada, aunque puede configurarse en el \u00e1rea de tareas programadas. No se recomienda ejecutarlo durante un horario de uso intensivo.", - "OptionBackdrop": "Imagen de Fondo", "LabelPreferredDisplayLanguage": "Idioma de pantalla preferido:", - "LabelMetadataDownloadLanguage": "Lenguaje preferido para descargas:", - "TitleLiveTV": "TV en Vivo", "LabelPreferredDisplayLanguageHelp": "La traducci\u00f3n de Emby es un proyecto en curso y aun no esta completado.", - "ButtonAutoScroll": "Auto-desplazamiento", - "LabelNumberOfGuideDays": "N\u00famero de d\u00edas de datos de la programaci\u00f3n a descargar", "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo puede contribuir.", + "HeaderNewCollection": "Nueva Colecci\u00f3n", + "ButtonSubmit": "Enviar", + "ButtonCreate": "Crear", + "LabelCustomCss": "css personalizado:", + "LabelCustomCssHelp": "Aplicar tu propia css personalizada a la interfaz web.", + "LabelLocalHttpServerPortNumber": "N\u00famero de puerto http local:", + "LabelLocalHttpServerPortNumberHelp": "El numero de puerto tcp con el que se deber\u00e1 vincular el servidor http de Emby.", + "LabelPublicHttpPort": "N\u00famero de puerto http publico:", + "LabelPublicHttpPortHelp": "El numero de puerto que debe ser mapeado a el puerto http local.", + "LabelPublicHttpsPort": "N\u00famero de puerto https publico:", + "LabelPublicHttpsPortHelp": "El n\u00famero de puerto p\u00fablico que deber\u00e1 ser mapeado al puerto local de https.", + "LabelEnableHttps": "Reportar https como una direcci\u00f3n externa", + "LabelEnableHttpsHelp": "Al habilitarse, el servidor reportara un URL https a los clientes como su direcci\u00f3n externa.", + "LabelHttpsPort": "N\u00famero de puerto https local:", + "LabelHttpsPortHelp": "El numero de puerto tcp con el que se deber\u00e1 vincular el servidor https de Emby.", + "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": "Direcci\u00f3n WAN externa:", + "LabelExternalDDNSHelp": "Si tiene un DNS din\u00e1mico introduzcalo aqu\u00ed. Las aplicaciones Emby lo usaran cuando se conecte remotamente. D\u00e9jelo en blanco para detectar autom\u00e1ticamente.", + "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:", + "LabelEndingEpisodeNumber": "N\u00famero episodio final:", + "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio", + "HeaderSupportTheTeam": "Apoye al equipo de Emby", + "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": "Introduzca la Clave de Aficionado", + "DonationNextStep": "Cuando haya terminado, regrese e introduzca 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 agregar\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", + "HeaderHelpImproveProject": "Ayude a mejorar Emby", + "HeaderRunningTasks": "Tareas en Ejecuci\u00f3n", + "HeaderActiveDevices": "Dispositivos Activos", + "HeaderPendingInstallations": "Instalaciones Pendientes", + "HeaderServerInformation": "Informaci\u00f3n del Servidor", "ButtonRestartNow": "Reiniciar Ahora", - "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.", - "ButtonOptions": "Opciones", - "NotificationOptionApplicationUpdateInstalled": "Actualizaci\u00f3n de aplicaci\u00f3n instalada", "ButtonRestart": "Reiniciar", - "LabelChannelDownloadPath": "Ruta de descarga de contenido del canal:", - "NotificationOptionPluginUpdateInstalled": "Actualizaci\u00f3n de complemento instalada", "ButtonShutdown": "Apagar", - "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.", - "NotificationOptionPluginInstalled": "Complemento instalado", "ButtonUpdateNow": "Actualizar Ahora", - "LabelChannelDownloadAge": "Eliminar contenido despu\u00e9s de: (d\u00edas)", - "NotificationOptionPluginUninstalled": "Complemento desinstalado", + "TabHosting": "Hospedaje", "PleaseUpdateManually": "Por favor apague el servidor y actualice manualmente.", - "LabelChannelDownloadAgeHelp": "El contenido descargado anterior a esto ser\u00e1 eliminado. Permanecer\u00e1 reproducible via transmisi\u00f3n en tiempo real por Internet.", - "NotificationOptionTaskFailed": "Falla de tarea programada", "NewServerVersionAvailable": "\u00a1Una nueva versi\u00f3n de Emby esta disponible!", - "ChannelSettingsFormHelp": "Instale canales tales como Tr\u00e1ilers y Vimeo desde el cat\u00e1logo de complementos.", - "NotificationOptionInstallationFailed": "Falla de instalaci\u00f3n", "ServerUpToDate": "El Servidor Emby esta actualizado", + "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 de beneficios adicionales que la comunidad ha desarrollado para Emby.", + "MessageInvalidKey": "Falta Clave de aficionado o es Inv\u00e1lida", + "ErrorMessageInvalidKey": "Para que cualquier contenido premium sea registrado, tambi\u00e9n debe ser un Aficionado Emby. Por favor haga una donaci\u00f3n y apoye el continuo desarrollo del producto principal. Gracias.", + "HeaderDisplaySettings": "Configuraci\u00f3n de Pantalla", + "TabPlayTo": "Reproducir En", + "LabelEnableDlnaServer": "Habilitar servidor DLNA", + "LabelEnableDlnaServerHelp": "Permite a dispositivos UPnP en su red navegar y reproducir contenido de Emby.", + "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)", + "NotificationOptionCameraImageUploaded": "Imagen de la c\u00e1mara subida", + "NotificationOptionUserLockedOut": "Usuario bloqueado", + "HeaderSendNotificationHelp": "Por defecto, las notificaciones son enviadas a su 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", - "LabelComponentsUpdated": "Los siguientes componentes han sido instalados o actualizados:", + "CategoryApplication": "Aplicaci\u00f3n", + "CategoryPlugin": "Complemento", "LabelMessageTitle": "T\u00edtulo del Mensaje:", - "ButtonNext": "Siguiente", - "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie el servidor para completar la aplicaci\u00f3n de las actualizaciones.", "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", - "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos", - "LabelSkipIfGraphicalSubsPresentHelp": "Manteniendo las versiones de texto de los subtitulos resultara una entrega mas eficiente de los mismos y disminuir\u00e1 las posibilidades de que un video sea transcodificado.", + "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": "Agregadas Recientemente", + "OptionSpecialFeatures": "Caracter\u00edsticas Especiales", + "HeaderCollections": "Colecciones", "LabelProfileCodecsHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los codecs.", - "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el lenguaje de descarga", "LabelProfileContainersHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los contenedores.", - "LabelSkipIfAudioTrackPresentHelp": "Desactive esto para asegurar que todos los videos tengan subt\u00edtulos, independientemente del lenguaje del audio.", "HeaderResponseProfile": "Perfil de Respuesta:", "LabelType": "Tipo:", - "HeaderHelpImproveProject": "Ayude a mejorar Emby", + "LabelPersonRole": "Rol:", + "LabelPersonRoleHelp": "El Rol generalmente solo aplica a actores.", "LabelProfileContainer": "Contenedor:", "LabelProfileVideoCodecs": "Codecs de Video:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Codecs de Audio:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Perfil de Reproducci\u00f3n Directa", - "ButtonClose": "Cerrar", - "TabView": "Vista", - "TabSort": "Ordenaci\u00f3n", "HeaderTranscodingProfile": "Perfil de Transcodificaci\u00f3n", - "HeaderBecomeProjectSupporter": "Convi\u00e9rtete en un Fan\u00e1tico Emby", - "OptionNone": "Ninguno", - "TabFilter": "Filtro", - "HeaderLiveTv": "TV en Vivo", - "ButtonView": "Vista", "HeaderCodecProfile": "Perfil de Codecs", - "HeaderReports": "Reportes", - "LabelPageSize": "Cantidad de \u00cdtems:", "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.", - "HeaderMetadataManager": "Administrador de Metadatos", - "LabelView": "Vista:", - "ViewTypePlaylists": "Listas de Reproducci\u00f3n", - "HeaderPreferences": "Preferencias", "HeaderContainerProfile": "Perfil del Contenedor", - "MessageLoadingChannels": "Cargando contenidos del canal...", - "ButtonMarkRead": "Marcar como Le\u00eddo", "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.", - "LabelAlbumArtists": "Artistas del \u00e1lbum:", - "OptionDefaultSort": "Por defecto", - "OptionCommunityMostWatchedSort": "M\u00e1s Visto", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Mis Vistas", "OptionProfileVideoAudio": "Audio del Video", - "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida", - "ButtonVolumeUp": "Subir Volumen", - "OptionLatestTvRecordings": "Grabaciones recientes", - "NotificationOptionGamePlaybackStopped": "Ejecuci\u00f3n de juego detenida", - "ButtonVolumeDown": "Bajar Volumen", - "ButtonMute": "Mudo", "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.", - "ButtonArrowUp": "Arriba", "OptionPlainStorageFolders": "Desplegar todas las carpetas como carpetas de almacenamiento simples.", - "LabelChapterName": "Cap\u00edtulo {0}", - "NotificationOptionCameraImageUploaded": "Imagen de la c\u00e1mara subida", - "ButtonArrowDown": "Abajo", "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\".", - "HeaderNewApiKey": "Nueva llave de API", - "ButtonArrowLeft": "Izquierda", "OptionPlainVideoItems": "Desplegar todos los videos como elemenos de video simples", - "LabelAppName": "Nombre del App", - "ButtonArrowRight": "Derecha", - "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Atr\u00e1s", "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\".", - "HeaderNewApiKeyHelp": "Conceder acceso a una aplicaci\u00f3n para comunicarse con el Servidor Emby.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Tipos de Medios Soportados:", - "ButtonPageUp": "P\u00e1gina arriba", "TabIdentification": "Identificaci\u00f3n", - "ButtonPageDown": "P\u00e1gina abajo", + "HeaderIdentification": "Identificaci\u00f3n", "TabDirectPlay": "Reproducci\u00f3n Directa", - "PageAbbreviation": "Pag.", "TabContainers": "Contenedores", - "ButtonHome": "Inicio", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limitar el tama\u00f1o del folder de descarga del canal.", - "ButtonSettings": "Configuraci\u00f3n", "TabResponses": "Respuestas", - "ButtonTakeScreenshot": "Capturar Pantalla", "HeaderProfileInformation": "Informaci\u00f3n de Perfil", - "ButtonLetterUp": "Siguiente letra", - "ButtonLetterDown": "Letra anterior", "LabelEmbedAlbumArtDidl": "Incrustar arte del \u00e1lbum en DIDL", - "PageButtonAbbreviation": "Pag.", "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener arte del \u00e1lbum. Otros podr\u00edan fallar al reproducir con esta opci\u00f3n habilitada.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Nombre de Usuario", - "TabNowPlaying": "Reproduci\u00e9ndo Ahora", "LabelAlbumArtPN": "PN para arte del \u00e1lbum:", - "TabNavigation": "Navegaci\u00f3n", "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:", - "ButtonFullscreen": "Cambiar a pantalla completa", "LabelAlbumArtMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para arte del album expuesta via upnp:albumArtURI.", - "HeaderDisplaySettings": "Configuraci\u00f3n de Pantalla", - "ButtonAudioTracks": "Pistas de audio", "LabelIconMaxWidth": "Ancho m\u00e1ximo de \u00efcono:", - "TabPlayTo": "Reproducir En", - "HeaderFeatures": "Caracter\u00edsticas", "LabelIconMaxWidthHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.", - "LabelEnableDlnaServer": "Habilitar servidor DLNA", - "HeaderAdvanced": "Avanzado", "LabelIconMaxHeight": "Altura m\u00e1xima de \u00efcono:", - "LabelEnableDlnaServerHelp": "Permite a dispositivos UPnP en su red navegar y reproducir contenido de Emby.", "LabelIconMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.", - "LabelEnableBlastAliveMessages": "Bombardeo de mensajes de vida", "LabelIdentificationFieldHelp": "Una subcadena insensible a la diferencia entre min\u00fasculas y may\u00fasculas o expresi\u00f3n regex.", - "LabelEnableBlastAliveMessagesHelp": "Habilite esto si el servidor no es detectado de manera confiable por otros dispositivos UPnP en su red.", - "CategoryApplication": "Aplicaci\u00f3n", "HeaderProfileServerSettingsHelp": "Estos valores controlan como el Servidor Emby se presentara al dispositivo.", - "LabelBlastMessageInterval": "Intervalo de mensajes de vida (segundos)", - "CategoryPlugin": "Complemento", "LabelMaxBitrate": "Tasa de bits m\u00e1xima:", - "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos del intervalo entre mensajes de vida.", - "NotificationOptionPluginError": "Falla de complemento", "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.", - "LabelDefaultUser": "Usuario por defecto:", + "LabelMaxStreamingBitrate": "Tasa de bits m\u00e1xima para transmisi\u00f3n:", + "LabelMaxStreamingBitrateHelp": "Especifique una tasa de bits m\u00e1xima al transferir en tiempo real.", + "LabelMaxChromecastBitrate": "Tasa maxima de bits para El Chromecast:", + "LabelMaxStaticBitrate": "Tasa m\u00e1xima de bits de sinc", + "LabelMaxStaticBitrateHelp": "Especifique una tasa de bits cuando al sincronizar 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.", - "HeaderServerInformation": "Informaci\u00f3n del Servidor", - "LabelDefaultUserHelp": "Determina que usuario de la biblioteca ser\u00e1 desplegado en los dispositivos conectados. Este puede ser reemplazado para cada dispositivo empleando perf\u00edles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si se habilita, estas solicitudes seran honradas pero se ignorar\u00e1 el encabezado de rango de byte.", "LabelFriendlyName": "Nombre amistoso:", "LabelManufacturer": "Fabricante:", - "ViewTypeMovies": "Pel\u00edculas", "LabelManufacturerUrl": "URL del fabricante:", - "TabNextUp": "A Continuaci\u00f3n", - "ViewTypeTvShows": "TV", "LabelModelName": "Nombre del modelo:", - "ViewTypeGames": "Juegos", "LabelModelNumber": "N\u00famero del modelo:", - "ViewTypeMusic": "M\u00fasica", "LabelModelDescription": "Descripci\u00f3n del modelo:", - "LabelDisplayCollectionsViewHelp": "Esto crear\u00e1 una vista separada para desplegar colecciones que usted haya creado o a las que tenga acceso. Para crear una colecci\u00f3n, haga clic derecho o presione y mantenga sobre cualquier pel\u00edcula y seleccione 'Agregar a Colecci\u00f3n'.", - "ViewTypeBoxSets": "Colecciones", "LabelModelUrl": "URL del modelo:", - "HeaderOtherDisplaySettings": "Configuraci\u00f3n de Pantalla", "LabelSerialNumber": "N\u00famero de serie:", "LabelDeviceDescription": "Descripci\u00f3n del dispositivo", - "LabelSelectFolderGroups": "Agrupar autom\u00e1ticamente el contenido de las siguientes carpetas en vistas tales como Pel\u00edculas, M\u00fasica y TV:", "HeaderIdentificationCriteriaHelp": "Introduzca, al menos, un criterio de identificaci\u00f3n.", - "LabelSelectFolderGroupsHelp": "Las carpetas sin marcar ser\u00e1n desplegadas individualmente en su propia vista.", "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.", - "ViewTypeLiveTvNowPlaying": "Transmiti\u00e9ndose", "HeaderResponseProfileHelp": "Los perfiles de respuesta proporcionan un medio para personalizar la informaci\u00f3n enviada a un dispositivo cuando se reproducen ciertos tipos de medios.", - "ViewTypeMusicFavorites": "Favoritos", - "ViewTypeLatestGames": "Juegos Recientes", - "ViewTypeMusicSongs": "Canciones", "LabelXDlnaCap": "X-DLNA cap:", - "ViewTypeMusicFavoriteAlbums": "\u00c1lbumes Favoritos", - "ViewTypeRecentlyPlayedGames": "Reproducido Reci\u00e9ntemente", "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el namespace urn:schemas-dlna-org:device-1-0.", - "ViewTypeMusicFavoriteArtists": "Artistas Favoritos", - "ViewTypeGameFavorites": "Favoritos", - "HeaderViewOrder": "Orden de Despliegue", "LabelXDlnaDoc": "X-DLNA Doc:", - "ViewTypeMusicFavoriteSongs": "Canciones Favoritas", - "HeaderHttpHeaders": "Encabezados Http", - "ViewTypeGameSystems": "Sistemas de Juego", - "LabelSelectUserViewOrder": "Seleccione el orden en que sus vistas ser\u00e1n desplegadas dentro de las apps de Emby", "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el namespace urn:schemas-dlna-org:device-1-0.", - "HeaderIdentificationHeader": "Encabezado de Identificaci\u00f3n", - "ViewTypeGameGenres": "G\u00e9neros", - "MessageNoChapterProviders": "Instale un complemento proveedor de cap\u00edtulos como ChapterDb para habilitar opciones adicionales de cap\u00edtulos.", "LabelSonyAggregationFlags": "Banderas de agregaci\u00f3n Sony:", - "LabelValue": "Valor:", - "ViewTypeTvResume": "Continuar", - "TabChapters": "Cap\u00edtulos", "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el namespace urn:schemas-sonycom:av", - "ViewTypeMusicGenres": "G\u00e9neros", - "LabelMatchType": "Tipo de Coincidencia:", - "ViewTypeTvNextUp": "Siguiente", + "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 Emby 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": "Manteniendo las versiones de texto de los subtitulos resultara una entrega mas eficiente de los mismos y disminuir\u00e1 las posibilidades de que un video sea transcodificado.", + "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 Emby examina sus archivos de video puede descargar nombres de cap\u00edtulo mas amigables desde 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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": "Introduzca Texto", + "LabelTypeText": "Texto", + "HeaderSearchForSubtitles": "Buscar Subtitulos", + "ButtonMore": "M\u00e1s", + "MessageNoSubtitleSearchResultsFound": "No se encontraron resultados en la b\u00fasqueda.", + "TabDisplay": "Pantalla", + "TabLanguages": "Idiomas", + "TabAppSettings": "Configuracion", + "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", + "HeaderOptions": "Opciones", + "HeaderIdentificationResult": "Resultado de la Identificaci\u00f3n", + "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:", + "OptionMyMediaButtons": "Mis medios (botones)", + "OptionMyMedia": "Mis medios", + "OptionMyMediaSmall": "Mis medios (peque\u00f1o)", + "OptionResumablemedia": "Continuar", + "OptionLatestMedia": "Agregadas recientemente", + "OptionLatestChannelMedia": "Elementos recientes de canales", + "HeaderLatestChannelItems": "Elementos Recientes de Canales", + "OptionNone": "Ninguno", + "HeaderLiveTv": "TV en Vivo", + "HeaderReports": "Reportes", + "HeaderMetadataManager": "Administrador de Metadatos", + "HeaderSettings": "Configuraci\u00f3n", + "MessageLoadingChannels": "Cargando contenidos del canal...", + "MessageLoadingContent": "Cargando contenido...", + "ButtonMarkRead": "Marcar como Le\u00eddo", + "OptionDefaultSort": "Por defecto", + "OptionCommunityMostWatchedSort": "M\u00e1s Visto", + "TabNextUp": "A Continuaci\u00f3n", + "PlaceholderUsername": "Nombre de Usuario", + "HeaderBecomeProjectSupporter": "Convi\u00e9rtete en un Fan\u00e1tico Emby", + "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 le permiten disfrutar de agrupaciones personalizadas de Pel\u00edculas, Series, \u00c1lbumes, Libros y Juegos. Haga clic en el bot\u00f3n + para iniciar la creaci\u00f3n de Colecciones.", + "MessageNoPlaylistsAvailable": "Las listas de reproducci\u00f3n le permiten crear listas de contenidos a ser reproducidos de manera consecutiva. Para agregar \u00edtems a una lista de reproducci\u00f3n, haga clic derecho o seleccione y mantenga, despu\u00e9s seleccione Agregar a Lista de Reproducci\u00f3n.", + "MessageNoPlaylistItemsAvailable": "Esta lista de reproducci\u00f3n se encuentra vac\u00eda.", + "ButtonDismiss": "Descartar", + "ButtonEditOtherUserPreferences": "Editar el perf\u00edl de este usuario. im\u00e1gen y preferencias personales.", + "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 Tr\u00e1ilers y Vimeo desde el cat\u00e1logo de complementos.", + "ButtonOptions": "Opciones", + "ViewTypePlaylists": "Listas de Reproducci\u00f3n", + "ViewTypeMovies": "Pel\u00edculas", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Juegos", + "ViewTypeMusic": "M\u00fasica", + "ViewTypeMusicGenres": "G\u00e9neros", "ViewTypeMusicArtists": "Artistas", - "OptionEquals": "Igual a", + "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", - "HeaderChapterDownloadingHelp": "Cuando Emby examina sus archivos de video puede descargar nombres de cap\u00edtulo mas amigables desde internet usando complementos de cap\u00edtulos como ChapterDb.", - "LabelTranscodingContainer": "Contenedor:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Codec de video:", - "OptionSubstring": "Subcadena", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "G\u00e9neros", - "LabelTranscodingVideoProfile": "Perfil de video:", + "ViewTypeTvFavoriteSeries": "Series Favoritas", + "ViewTypeTvFavoriteEpisodes": "Episodios Favoritos", + "ViewTypeMovieResume": "Continuar", + "ViewTypeMovieLatest": "Recientes", + "ViewTypeMovieMovies": "Pel\u00edculas", + "ViewTypeMovieCollections": "Colecciones", + "ViewTypeMovieFavorites": "Favoritos", + "ViewTypeMovieGenres": "G\u00e9neros", + "ViewTypeMusicLatest": "Recientes", + "ViewTypeMusicPlaylists": "Listas", + "ViewTypeMusicAlbums": "\u00c1lbumes", + "ViewTypeMusicAlbumArtists": "Artistas del \u00c1lbum", + "HeaderOtherDisplaySettings": "Configuraci\u00f3n de Pantalla", + "ViewTypeMusicSongs": "Canciones", + "ViewTypeMusicFavorites": "Favoritos", + "ViewTypeMusicFavoriteAlbums": "\u00c1lbumes 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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby incluye soporte nativo para archivos de metadatos Nfo. Para habilitar o deshabilitar los metadatos Nfo, utilice la pesta\u00f1a Avanzado para configurar las opciones para sus tipos de medios.", + "LabelKodiMetadataUser": "Sincronizar informaci\u00f3n de vistos a nfo's para:", + "LabelKodiMetadataUserHelp": "Habilitar esto para mantener los datos monitoreados en sincron\u00eda entre el Servidor Emby y los archivos Nfo .", + "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", + "LabelDisplayCollectionsViewHelp": "Esto crear\u00e1 una vista separada para desplegar colecciones que usted haya creado o a las que tenga acceso. Para crear una colecci\u00f3n, haga clic derecho o presione y mantenga sobre cualquier pel\u00edcula y seleccione 'Agregar a Colecci\u00f3n'.", + "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", - "LabelTranscodingAudioCodec": "Codec de audio:", - "ViewTypeMovieResume": "Continuar", "TabLogs": "Bit\u00e1coras", - "OptionEnableM2tsMode": "Habilitar modo M2ts:", - "ViewTypeMovieLatest": "Recientes", "HeaderServerLogFiles": "Archivos de registro del servidor:", - "OptionEnableM2tsModeHelp": "Habilita el modo m2ts cuando se codifican mpegs.", - "ViewTypeMovieMovies": "Pel\u00edculas", "TabBranding": "Establecer Marca", - "OptionEstimateContentLength": "Estimar la duraci\u00f3n del contenido cuando se transcodifica", - "HeaderPassword": "Contrase\u00f1a", - "ViewTypeMovieCollections": "Colecciones", "HeaderBrandingHelp": "Personaliza la apariencia de Emby para ajustarla a su grupo u organizaci\u00f3n.", - "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que el servidor soporta busqueda de bytes al transcodificar", - "HeaderLocalAccess": "Acceso Local", - "ViewTypeMovieFavorites": "Favoritos", "LabelLoginDisclaimer": "Aviso legal de Inicio de Sesi\u00f3n:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es requerido para algunos dispositivos que no pueden hacer b\u00fasquedas por tiempo muy bien.", - "ViewTypeMovieGenres": "G\u00e9neros", "LabelLoginDisclaimerHelp": "Esto se mostrara al final de la pagina de inicio de sesi\u00f3n.", - "ViewTypeMusicLatest": "Recientes", "LabelAutomaticallyDonate": "Donar autom\u00e1ticamente este monto cada mes", - "ViewTypeMusicAlbums": "\u00c1lbumes", "LabelAutomaticallyDonateHelp": "Puedes cancelarlo en cualquier momento por medio de tu cuenta PayPal.", - "TabHosting": "Hospedaje", - "ViewTypeMusicAlbumArtists": "Artistas del \u00c1lbum", - "LabelDownMixAudioScale": "Fortalecimiento de audio durante el downmix:", - "ButtonSync": "Sinc", - "LabelPlayDefaultAudioTrack": "Reproducir la pista de audio por defecto independientemente del lenguaje", - "LabelDownMixAudioScaleHelp": "Fortalezca el audio cuando se hace down mix. Coloque 1 para preservar el valor del volumen original.", - "LabelHomePageSection4": "Pagina de Inicio secci\u00f3n cuatro:", - "HeaderChapters": "Cap\u00edtulos", - "LabelSubtitlePlaybackMode": "Modo de subt\u00edtulo:", - "HeaderDownloadPeopleMetadataForHelp": "Habilitar opciones adicionales proporcionar\u00e1 m\u00e1s informaci\u00f3n en pantalla pero resultar\u00e1 en barridos de la biblioteca m\u00e1s lentos", - "ButtonLinkKeys": "Transferir Clave", - "OptionLatestChannelMedia": "Elementos recientes de canales", - "HeaderResumeSettings": "Configuraci\u00f3n para Continuar", - "ViewTypeFolders": "Carpetas", - "LabelOldSupporterKey": "Clave de aficionado vieja", - "HeaderLatestChannelItems": "Elementos Recientes de Canales", - "LabelDisplayFoldersView": "Mostrar una vista de carpetas para mostrar carpetas de medios simples", - "LabelNewSupporterKey": "Clave de aficionado nueva", - "TitleRemoteControl": "Control Remoto", - "ViewTypeLiveTvRecordingGroups": "Grabaciones", - "HeaderMultipleKeyLinking": "Transferir a Nueva Clave", - "ViewTypeLiveTvChannels": "Canales", - "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", - "TabControls": "Controles", - "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 de beneficios adicionales que la comunidad ha desarrollado para Emby.", - "MessageInvalidKey": "Falta Clave de aficionado o es Inv\u00e1lida", - "ErrorMessageInvalidKey": "Para que cualquier contenido premium sea registrado, tambi\u00e9n debe ser un Aficionado Emby. Por favor haga una donaci\u00f3n y apoye el continuo desarrollo del producto principal. Gracias.", - "HeaderEpisodes": "Episodios:", - "UserDownloadingItemWithValues": "{0} esta descargando {1}", - "OptionMyMediaButtons": "Mis medios (botones)", - "HeaderHomePage": "P\u00e1gina de Inicio", - "HeaderSettingsForThisDevice": "Configuraci\u00f3n de Este Dispositivo", - "OptionMyMedia": "Mis medios", - "OptionAllUsers": "Todos los usuarios", - "ButtonDismiss": "Descartar", - "OptionAdminUsers": "Administradores", - "OptionDisplayAdultContent": "Desplegar contenido para Adultos", - "HeaderSearchForSubtitles": "Buscar Subtitulos", - "OptionCustomUsers": "Personalizado", - "ButtonMore": "M\u00e1s", - "MessageNoSubtitleSearchResultsFound": "No se encontraron resultados en la b\u00fasqueda.", + "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", - "OptionMyMediaSmall": "Mis medios (peque\u00f1o)", - "TabDisplay": "Pantalla", "HeaderBranding": "Establecer Marca", - "TabLanguages": "Idiomas", "HeaderApiKeys": "Llaves de API", - "LabelGroupChannelsIntoViews": "Desplegar los siguientes canales directamente en mis vistas:", "HeaderApiKeysHelp": "Son necesarias aplicaciones externas para obtener una clave Api para comunicarse con el Servidor Emby. Las clave son emitidas accediendo con una cuenta Emby, u obteniendo manualmente la clave de la aplicaci\u00f3n.", - "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.", - "LabelEnableThemeSongs": "Habilitar canciones de tema", "HeaderApiKey": "Llave de API", - "HeaderSubtitleDownloadingHelp": "Cuando Emby examina sus archivos de video puede buscar los subt\u00edtulos faltantes, y descargarlos usando un proveedor de subt\u00edtulos como OpenSubtitles.org.", - "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Descargar subt\u00edtulos para:", - "LabelEnableThemeSongsHelp": "Al activarse, las canciones de tema ser\u00e1n reproducidas en segundo plano mientras se navega en la biblioteca.", "HeaderDevice": "Dispositivo", - "LabelEnableBackdropsHelp": "Al activarse, las im\u00e1genes de fondo ser\u00e1n mostradas en el fondo de algunas paginas mientras se navega en la biblioteca.", "HeaderUser": "Usuario", "HeaderDateIssued": "Fecha de Emisi\u00f3n", - "TabSubtitles": "Subt\u00edtulos", - "LabelOpenSubtitlesUsername": "Nombre de usuario de Open Subtitles:", - "OptionAuto": "Autom\u00e1tico", - "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:", - "OptionYes": "Si", - "OptionNo": "No", - "LabelDownloadLanguages": "Descargar lenguajes:", - "LabelHomePageSection1": "Pagina de Inicio secci\u00f3n uno:", - "ButtonRegister": "Registrar", - "LabelHomePageSection2": "Pagina de Inicio secci\u00f3n dos:", - "LabelHomePageSection3": "Pagina de Inicio secci\u00f3n tres:", - "OptionResumablemedia": "Continuar", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Agregadas recientemente", - "ViewTypeTvFavoriteSeries": "Series Favoritas", - "ViewTypeTvFavoriteEpisodes": "Episodios Favoritos", - "LabelEpisodeNamePlain": "Nombre del episodio", - "LabelSeriesNamePlain": "Nombre de la serie", - "LabelSeasonNumberPlain": "N\u00famero de temporada", - "LabelEpisodeNumberPlain": "N\u00famero de episodio", - "OptionLibraryFolders": "Carpetas de medios", - "LabelEndingEpisodeNumberPlain": "N\u00famero del episodio final", + "LabelChapterName": "Cap\u00edtulo {0}", + "HeaderNewApiKey": "Nueva llave de API", + "LabelAppName": "Nombre del App", + "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Conceder acceso a una aplicaci\u00f3n para comunicarse con el Servidor Emby.", + "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", + "HeaderResumeSettings": "Configuraci\u00f3n para Continuar", + "TabSync": "Sinc", + "TitleUsers": "Usuarios", + "LabelProtocol": "Protocolo:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Transmisi\u00f3n en vivo por Http", + "LabelContext": "Contexto:", + "OptionContextStreaming": "Transmisi\u00f3n", + "OptionContextStatic": "Sinc.", + "ButtonAddToPlaylist": "Agregar a lista de reproducci\u00f3n", + "TabPlaylists": "Listas de reproducci\u00f3n", + "ButtonClose": "Cerrar", "LabelAllLanguages": "Todos los lenguajes", "HeaderBrowseOnlineImages": "Buscar Im\u00e1genes en L\u00ednea", "LabelSource": "Fuente:", @@ -939,509 +1067,388 @@ "LabelImage": "Im\u00e1gen:", "ButtonBrowseImages": "Buscar im\u00e1genes", "HeaderImages": "Im\u00e1genes", - "LabelReleaseDate": "Fecha de estreno:", "HeaderBackdrops": "Im\u00e1genes de fondo", - "HeaderOptions": "Opciones", - "LabelWeatherDisplayLocation": "Ubicaci\u00f3n para pron\u00f3stico del tiempo:", - "TabUsers": "Usuarios", - "LabelMaxChromecastBitrate": "Tasa maxima de bits para El Chromecast:", - "LabelEndDate": "Fecha de Fin:", "HeaderScreenshots": "Capturas de pantalla", - "HeaderIdentificationResult": "Resultado de la Identificaci\u00f3n", - "LabelWeatherDisplayLocationHelp": "C\u00f3digo ZIP de US \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds", - "LabelYear": "A\u00f1o:", "HeaderAddUpdateImage": "Agregar\/Actualizar Im\u00e1gen", - "LabelWeatherDisplayUnit": "Unidad para pron\u00f3stico del tiempo:", "LabelJpgPngOnly": "JPG\/PNG solamente", - "OptionCelsius": "Cent\u00edgrados", - "TabAppSettings": "Configuracion", "LabelImageType": "Tipo de Im\u00e1gen:", - "HeaderActivity": "Actividad", - "LabelChannelDownloadSizeLimit": "L\u00edmite de tama\u00f1o de descarga (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Principal", - "ScheduledTaskStartedWithName": "{0} Iniciado", - "MessageLoadingContent": "Cargando contenido...", - "HeaderRequireManualLogin": "Requerir captura de nombre de usuario manual para:", "OptionArt": "Arte", - "ScheduledTaskCancelledWithName": "{0} fue cancelado", - "NotificationOptionUserLockedOut": "Usuario bloqueado", - "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.", "OptionBox": "Caja", - "ScheduledTaskCompletedWithName": "{0} completado", - "OptionOtherApps": "Otras applicaciones", - "TabScheduledTasks": "Tareas Programadas", "OptionBoxRear": "Reverso de caja", - "ScheduledTaskFailed": "Tarea programada completada", - "OptionMobileApps": "Apps m\u00f3viles", "OptionDisc": "Disco", - "PluginInstalledWithName": "{0} fue instalado", "OptionIcon": "Icono", "OptionLogo": "Logotipo", - "PluginUpdatedWithName": "{0} fue actualizado", "OptionMenu": "Men\u00fa", - "PluginUninstalledWithName": "{0} fue desinstalado", "OptionScreenshot": "Captura de pantalla", - "ButtonScenes": "Escenas", - "ScheduledTaskFailedWithName": "{0} fall\u00f3", - "UserLockedOutWithName": "El usuario {0} ha sido bloqueado", "OptionLocked": "Bloqueado", - "ButtonSubtitles": "Subt\u00edtulos", - "ItemAddedWithName": "{0} fue agregado a la biblioteca", "OptionUnidentified": "No Identificado", - "ItemRemovedWithName": "{0} fue removido de la biblioteca", "OptionMissingParentalRating": "Falta clasificaci\u00f3n parental", - "HeaderCollections": "Colecciones", - "DeviceOnlineWithName": "{0} est\u00e1 conectado", "OptionStub": "Plantilla", + "HeaderEpisodes": "Episodios:", + "OptionSeason0": "Temporada 0", + "LabelReport": "Reporte:", + "OptionReportSongs": "Canciones", + "OptionReportSeries": "Series", + "OptionReportSeasons": "Temporadas", + "OptionReportTrailers": "Tr\u00e1ilers", + "OptionReportMusicVideos": "Videos Musicales", + "OptionReportMovies": "Pel\u00edculas", + "OptionReportHomeVideos": "Videos caseros", + "OptionReportGames": "Juegos", + "OptionReportEpisodes": "Episodios", + "OptionReportCollections": "Colecciones", + "OptionReportBooks": "Libros", + "OptionReportArtists": "Artistas", + "OptionReportAlbums": "\u00c1lbumes", + "OptionReportAdultVideos": "Videos para Adultos", + "HeaderActivity": "Actividad", + "ScheduledTaskStartedWithName": "{0} Iniciado", + "ScheduledTaskCancelledWithName": "{0} fue cancelado", + "ScheduledTaskCompletedWithName": "{0} completado", + "ScheduledTaskFailed": "Tarea programada completada", + "PluginInstalledWithName": "{0} fue instalado", + "PluginUpdatedWithName": "{0} fue actualizado", + "PluginUninstalledWithName": "{0} fue desinstalado", + "ScheduledTaskFailedWithName": "{0} fall\u00f3", + "ItemAddedWithName": "{0} fue agregado a la biblioteca", + "ItemRemovedWithName": "{0} fue removido de la biblioteca", + "DeviceOnlineWithName": "{0} est\u00e1 conectado", "UserOnlineFromDevice": "{0} est\u00e1 en l\u00ednea desde {1}", - "ButtonStop": "Detener", "DeviceOfflineWithName": "{0} se ha desconectado", - "OptionList": "Lista", - "OptionSeason0": "Temporada 0", - "ButtonPause": "Pausar", "UserOfflineFromDevice": "{0} se ha desconectado desde {1}", - "TabDashboard": "Panel de Control", - "LabelReport": "Reporte:", "SubtitlesDownloadedForItem": "Subt\u00edtulos descargados para {0}", - "TitleServer": "Servidor", - "OptionReportSongs": "Canciones", "SubtitleDownloadFailureForItem": "Fall\u00f3 la descarga de subt\u00edtulos para {0}", - "LabelCache": "Cach\u00e9:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Duraci\u00f3n: {0}", - "LabelLogs": "Bit\u00e1coras:", - "OptionReportSeasons": "Temporadas", "LabelIpAddressValue": "Direcci\u00f3n IP: {0}", - "LabelMetadata": "Metadatos:", - "OptionReportTrailers": "Tr\u00e1ilers", - "ViewTypeMusicPlaylists": "Listas", + "UserLockedOutWithName": "El usuario {0} ha sido bloqueado", "UserConfigurationUpdatedWithName": "Se ha actualizado la configuraci\u00f3n del usuario {0}", - "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido agregado (varios)", - "LabelImagesByName": "Im\u00e1genes por nombre:", - "OptionReportMusicVideos": "Videos Musicales", "UserCreatedWithName": "Se ha creado el usuario {0}", - "HeaderSendMessage": "Enviar Mensaje", - "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:", - "OptionReportMovies": "Pel\u00edculas", "UserPasswordChangedWithName": "Se ha cambiado la contrase\u00f1a para el usuario {0}", - "ButtonSend": "Enviar", - "OptionReportHomeVideos": "Videos caseros", "UserDeletedWithName": "Se ha eliminado al usuario {0}", - "LabelMessageText": "Texto del Mensaje:", - "OptionReportGames": "Juegos", "MessageServerConfigurationUpdated": "Se ha actualizado la configuraci\u00f3n del servidor", - "HeaderKodiMetadataHelp": "Emby incluye soporte nativo para archivos de metadatos Nfo. Para habilitar o deshabilitar los metadatos Nfo, utilice la pesta\u00f1a Avanzado para configurar las opciones para sus tipos de medios.", - "OptionReportEpisodes": "Episodios", - "ButtonPreviousTrack": "Pista anterior", "MessageNamedServerConfigurationUpdatedWithValue": "Se ha actualizado la secci\u00f3n {0} de la configuraci\u00f3n del servidor", - "LabelKodiMetadataUser": "Sincronizar informaci\u00f3n de vistos a nfo's para:", - "OptionReportCollections": "Colecciones", - "ButtonNextTrack": "Pista siguiente", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "El servidor Emby ha sido actualizado", - "LabelKodiMetadataUserHelp": "Habilitar esto para mantener los datos monitoreados en sincron\u00eda entre el Servidor Emby y los archivos Nfo .", - "OptionReportBooks": "Libros", - "HeaderServerSettings": "Configuraci\u00f3n del Servidor", "AuthenticationSucceededWithUserName": "{0} autenticado con \u00e9xito", - "LabelKodiMetadataDateFormat": "Formato de fecha de estreno:", - "OptionReportArtists": "Artistas", "FailedLoginAttemptWithUserName": "Intento fallido de inicio de sesi\u00f3n de {0}", - "LabelKodiMetadataDateFormatHelp": "Todas las fechas en los nfo\u00b4s ser\u00e1n le\u00eddas y escritas utilizando este formato.", - "ButtonAddToPlaylist": "Agregar a lista de reproducci\u00f3n", - "OptionReportAlbums": "\u00c1lbumes", + "UserDownloadingItemWithValues": "{0} esta descargando {1}", "UserStartedPlayingItemWithValues": "{0} ha iniciado la reproducci\u00f3n de {1}", - "LabelKodiMetadataSaveImagePaths": "Guardar trayectorias de im\u00e1genes en los archivos nfo", - "LabelDisplayCollectionsView": "Desplegar una vista de colecciones para mostrar las colecciones de pel\u00edculas", - "AdditionalNotificationServices": "Explore el cat\u00e1logo de complementos para instalar servicios de notificaci\u00f3n adicionales.", - "OptionReportAdultVideos": "Videos para Adultos", "UserStoppedPlayingItemWithValues": "{0} ha detenido la reproducci\u00f3n de {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Esto se recomienda si tiene nombres de imagenes que no se ajustan a los lineamientos de Kodi.", "AppDeviceValues": "App: {0}, Dispositivo: {1}", - "LabelMaxStreamingBitrate": "Tasa de bits m\u00e1xima para transmisi\u00f3n:", - "LabelKodiMetadataEnablePathSubstitution": "Habilitar sustituci\u00f3n de trayectorias", - "LabelProtocolInfo": "Informaci\u00f3n del protocolo:", "ProviderValue": "Proveedor: {0}", + "LabelChannelDownloadSizeLimit": "L\u00edmite de tama\u00f1o de descarga (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Limitar el tama\u00f1o del folder de descarga del canal.", + "HeaderRecentActivity": "Actividad Reciente", + "HeaderPeople": "Personas", + "HeaderDownloadPeopleMetadataFor": "Descargar biograf\u00eda e im\u00e1genes para:", + "OptionComposers": "Compositores", + "OptionOthers": "Otros", + "HeaderDownloadPeopleMetadataForHelp": "Habilitar opciones adicionales proporcionar\u00e1 m\u00e1s informaci\u00f3n en pantalla pero resultar\u00e1 en barridos de la biblioteca m\u00e1s lentos", + "ViewTypeFolders": "Carpetas", + "LabelDisplayFoldersView": "Mostrar una vista de carpetas para mostrar carpetas de medios simples", + "ViewTypeLiveTvRecordingGroups": "Grabaciones", + "ViewTypeLiveTvChannels": "Canales", "LabelEasyPinCode": "C\u00f3digo pin sencillo:", - "LabelMaxStreamingBitrateHelp": "Especifique una tasa de bits m\u00e1xima al transferir en tiempo real.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Habilita la sustituci\u00f3n de trayectorias de im\u00e1genes usando la configuraci\u00f3n de sustituci\u00f3n de trayectorias del servidor.", - "LabelProtocolInfoHelp": "El valor que ser\u00e1 utilizado cuando se responde a solicitudes GetProtocolInfo desde el dispositivo.", - "LabelMaxStaticBitrate": "Tasa m\u00e1xima de bits de sinc", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver sustituci\u00f3n de trayectoras.", - "MessageNoPlaylistsAvailable": "Las listas de reproducci\u00f3n le permiten crear listas de contenidos a ser reproducidos de manera consecutiva. Para agregar \u00edtems a una lista de reproducci\u00f3n, haga clic derecho o seleccione y mantenga, despu\u00e9s seleccione Agregar a Lista de Reproducci\u00f3n.", "EasyPasswordHelp": "Tu c\u00f3digo pin sencillo es usado para el acceso fuera de linea con las aplicaciones Emby soportadas, y tambi\u00e9n puede ser usado para iniciar sesi\u00f3n m\u00e1s f\u00e1cilmente cuando esta conectado dentro de su red.", - "LabelMaxStaticBitrateHelp": "Especifique una tasa de bits cuando al sincronizar contenido en alta calidad.", - "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart en extrathumbs", - "MessageNoPlaylistItemsAvailable": "Esta lista de reproducci\u00f3n se encuentra vac\u00eda.", - "TabSync": "Sinc", - "LabelProtocol": "Protocolo:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Cuando se descargan im\u00e1genes pueden ser almacenadas tanto en extrafanart como extrathumb para maximizar la compatibilidad con skins de Kodi.", - "TabPlaylists": "Listas de reproducci\u00f3n", - "LabelPersonRole": "Rol:", "LabelInNetworkSignInWithEasyPassword": "Habilitar inicio de sesi\u00f3n con mi c\u00f3digo pin sencillo para conexiones dentro de la red.", - "TitleUsers": "Usuarios", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "El Rol generalmente solo aplica a actores.", - "OptionProtocolHls": "Transmisi\u00f3n en vivo por Http", - "LabelPath": "Trayectoria:", - "HeaderIdentification": "Identificaci\u00f3n", "LabelInNetworkSignInWithEasyPasswordHelp": "Si se habilita, podr\u00e1 usar su c\u00f3digo pin sencillo para iniciar sesi\u00f3n en las aplicaciones Emby desde su red de hogar. Su contrase\u00f1a regular sera requerida solamente cuando este fuera de casa. Si el c\u00f3digo pin es dejado en blanco, no necesitara una contrase\u00f1a dentro de su red de hogar.", - "LabelContext": "Contexto:", - "LabelSortName": "Nombre para ordenar:", - "OptionContextStreaming": "Transmisi\u00f3n", - "LabelDateAdded": "Fecha de adici\u00f3n:", + "HeaderPassword": "Contrase\u00f1a", + "HeaderLocalAccess": "Acceso Local", + "HeaderViewOrder": "Orden de Despliegue", "ButtonResetEasyPassword": "Restaurar c\u00f3digo pin sencillo", - "OptionContextStatic": "Sinc.", + "LabelSelectUserViewOrder": "Seleccione el orden en que sus vistas ser\u00e1n desplegadas dentro de las apps de Emby", "LabelMetadataRefreshMode": "Modo de actualizaci\u00f3n de metadatos:", - "ViewTypeChannels": "Canales", "LabelImageRefreshMode": "Modo de actualizaci\u00f3n de im\u00e1genes:", - "ViewTypeLiveTV": "TV en Vivo", - "HeaderSendNotificationHelp": "Por defecto, las notificaciones son enviadas a su bandeja de entrada del panel de control. Navegue el cat\u00e1logo de complementos para instalar opciones de notificaci\u00f3n adicionales.", "OptionDownloadMissingImages": "Descargar im\u00e1genes faltantes", "OptionReplaceExistingImages": "Reemplazar im\u00e1genes existentes", "OptionRefreshAllData": "Actualizar todos los metadatos", "OptionAddMissingDataOnly": "S\u00f3lo agregar datos faltantes", "OptionLocalRefreshOnly": "S\u00f3lo actualizaci\u00f3n local", - "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones", "HeaderRefreshMetadata": "Actualizar Metadatos", - "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.", "HeaderPersonInfo": "Info de la Persona", "HeaderIdentifyItem": "Identificar \u00cdtem", "HeaderIdentifyItemHelp": "Introduzca uno o m\u00e1s criterios de b\u00fasqueda. Elimine criterios para expandir los resultados.", - "HeaderLatestMedia": "Agregadas Recientemente", + "HeaderConfirmDeletion": "Confirmar Eliminaci\u00f3n", "LabelFollowingFileWillBeDeleted": "Lo siguiente ser\u00e1 eliminado:", "LabelIfYouWishToContinueWithDeletion": "Si desea continuar, por favor confirme introduci\u00e9ndo el valor de:", - "OptionSpecialFeatures": "Caracter\u00edsticas Especiales", "ButtonIdentify": "Identificar", "LabelAlbumArtist": "Artista del \u00e1lbum:", + "LabelAlbumArtists": "Artistas del \u00e1lbum:", "LabelAlbum": "\u00c1lbum", "LabelCommunityRating": "Calificaci\u00f3n de la comunidad:", "LabelVoteCount": "Cantidad de votos:", - "ButtonSearch": "B\u00fasqueda", "LabelMetascore": "Metaescore:", "LabelCriticRating": "Calificaci\u00f3n de la cr\u00edtica:", "LabelCriticRatingSummary": "Res\u00famen de la calificaci\u00f3n de la cr\u00edtica:", "LabelAwardSummary": "Res\u00famen de premios:", - "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:", "LabelWebsite": "Sitio web:", - "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio", "LabelTagline": "Eslogan", - "LabelEpisodePattern": "Patr\u00f3n de episodio:", "LabelOverview": "Sinopsis:", - "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:", "LabelShortOverview": "Sinopsis corta:", - "HeaderSupportedPatterns": "Patrones soportados", - "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.", - "LabelMusicStaticBitrate": "Tasa de bits de sinc de m\u00fascia", + "LabelReleaseDate": "Fecha de estreno:", + "LabelYear": "A\u00f1o:", "LabelPlaceOfBirth": "Lugar de nacimiento:", - "HeaderTerm": "Plazo", - "MessageNoCollectionsAvailable": "Las colecciones le permiten disfrutar de agrupaciones personalizadas de Pel\u00edculas, Series, \u00c1lbumes, Libros y Juegos. Haga clic en el bot\u00f3n + para iniciar la creaci\u00f3n de Colecciones.", - "LabelMusicStaticBitrateHelp": "Especifique la tasa de bits m\u00e1xima al sincronizar m\u00fasica", + "LabelEndDate": "Fecha de Fin:", "LabelAirDate": "D\u00edas al aire:", - "HeaderPattern": "Patr\u00f3n", - "LabelMusicStreamingTranscodingBitrate": "Tasa de transcodificaci\u00f3n de m\u00fasica:", "LabelAirTime:": "Tiempo al \u00e1ire:", - "HeaderNotificationList": "Haga clic en una notificaci\u00f3n para configurar sus opciones de envio.", - "HeaderResult": "Resultado", - "LabelMusicStreamingTranscodingBitrateHelp": "Especifique la tasa de bits m\u00e1xima al transferir musica en tiempo real", "LabelRuntimeMinutes": "Duraci\u00f3n (minutos):", - "LabelNotificationEnabled": "Habilitar esta notificaci\u00f3n", - "LabelDeleteEmptyFolders": "Eliminar carpetas vacias despu\u00e9s de la organizaci\u00f3n", - "HeaderRecentActivity": "Actividad Reciente", "LabelParentalRating": "Clasificaci\u00f3n parental:", - "LabelDeleteEmptyFoldersHelp": "Habilitar para mantener el directorio de descargas limpio.", - "ButtonOsd": "Visualizaci\u00f3n en pantalla", - "HeaderPeople": "Personas", "LabelCustomRating": "Calificaci\u00f3n personalizada:", - "LabelDeleteLeftOverFiles": "Eliminar los archivos restantes con las siguientes extensiones:", - "MessageNoAvailablePlugins": "No hay complementos disponibles.", - "HeaderDownloadPeopleMetadataFor": "Descargar biograf\u00eda e im\u00e1genes para:", "LabelBudget": "Presupuesto", - "NotificationOptionVideoPlayback": "Reproducci\u00f3n de video iniciada", - "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt", - "LabelDisplayPluginsFor": "Desplegar complementos para:", - "OptionComposers": "Compositores", "LabelRevenue": "Ingresos ($):", - "NotificationOptionAudioPlayback": "Reproducci\u00f3n de audio iniciada", - "OptionOverwriteExistingEpisodes": "Sobreescribir episodios pre-existentes", - "OptionOthers": "Otros", "LabelOriginalAspectRatio": "Relaci\u00f3n de aspecto original:", - "NotificationOptionGamePlayback": "Ejecuci\u00f3n de juego iniciada", - "LabelTransferMethod": "M\u00e9todo de transferencia", "LabelPlayers": "Jugadores:", - "OptionCopy": "Copiar", "Label3DFormat": "Formato 3D:", - "NotificationOptionNewLibraryContent": "Nuevo contenido agregado", - "OptionMove": "Mover", "HeaderAlternateEpisodeNumbers": "N\u00fameros de Episodio Alternativos:", - "NotificationOptionServerRestartRequired": "Reinicio del servidor requerido", - "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n", "HeaderSpecialEpisodeInfo": "Informaci\u00f3n del Episodio Especial", - "LabelMonitorUsers": "Monitorear actividad desde:", - "HeaderLatestNews": "Noticias Recientes", - "ValueSeriesNamePeriod": "Nombre.serie", "HeaderExternalIds": "Id\u00b4s Externos:", - "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:", - "ValueSeriesNameUnderscore": "Nombre_serie", - "TitleChannels": "Canales", - "HeaderRunningTasks": "Tareas en Ejecuci\u00f3n", - "HeaderConfirmDeletion": "Confirmar Eliminaci\u00f3n", - "ValueEpisodeNamePeriod": "Nombre del episodio", - "LabelChannelStreamQuality": "Calidad por defecto para transmisi\u00f3n por internet:", - "HeaderActiveDevices": "Dispositivos Activos", - "ValueEpisodeNameUnderscore": "Nombre_episodio", - "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.", - "HeaderPendingInstallations": "Instalaciones Pendientes", - "HeaderTypeText": "Introduzca Texto", - "OptionBestAvailableStreamQuality": "La mejor disponible", - "LabelUseNotificationServices": "Utilizar los siguientes servicios:", - "LabelTypeText": "Texto", - "ButtonEditOtherUserPreferences": "Editar el perf\u00edl de este usuario. im\u00e1gen y preferencias personales.", - "LabelEnableChannelContentDownloadingFor": "Habilitar descarga de contenidos del canal para:", - "NotificationOptionApplicationUpdateAvailable": "Actualizaci\u00f3n de aplicaci\u00f3n disponible", + "LabelDvdSeasonNumber": "N\u00famero de temporada del DVD:", + "LabelDvdEpisodeNumber": "N\u00famero de episodio de DVD:", + "LabelAbsoluteEpisodeNumber": "N\u00famero de episodio absoluto:", + "LabelAirsBeforeSeason": "Transmisi\u00f3n antes de la temporada:", + "LabelAirsAfterSeason": "Transmisi\u00f3n despu\u00e9s de la temporada:", "LabelAirsBeforeEpisode": "Transmisi\u00f3n antes del episodio:", "LabelTreatImageAs": "Tratar imagen como:", - "ButtonReset": "Resetear", "LabelDisplayOrder": "Ordenamiento de despliegue:", "LabelDisplaySpecialsWithinSeasons": "Desplegar especiales dentro de las temporadas en que fueron transmitidos", - "HeaderAddTag": "Agregar Etiqueta", - "LabelNativeExternalPlayersHelp": "Mostrar botones para reproducir contenido en reproductores externos.", "HeaderCountries": "Pa\u00edses", "HeaderGenres": "G\u00e9neros", - "LabelTag": "Etiqueta:", "HeaderPlotKeywords": "Palabras clave de la Trama", - "LabelEnableItemPreviews": "Habilitar la vista previa de \u00edtems", "HeaderStudios": "Estudios", "HeaderTags": "Etiquetas", "HeaderMetadataSettings": "Configuraciones de los metadatos", - "LabelEnableItemPreviewsHelp": "Si se habilita, aparecer\u00e1n las vistas previas desliz\u00e1ndose al dar clic a los \u00edtems en ciertas pantallas.", "LabelLockItemToPreventChanges": "Bloquear este \u00edtem para evitar cambios futuros", - "LabelExternalPlayers": "Reproductores Externos:", "MessageLeaveEmptyToInherit": "Dejar vac\u00edo para heredar la configuraci\u00f3n del \u00edtem padre, o el valor global por omisi\u00f3n.", - "LabelExternalPlayersHelp": "Despliega botones para reproducir contenido en reproductores externos. Esto s\u00f3lo est\u00e1 disponible en dispositivos que soporten esquemas URL, generalmente Android e iOS. Con reproductores externos normalmente no se cuenta con soporte para control remoto o reinicio.", - "ButtonUnlockGuide": "Desbloquear Gu\u00eda", + "TabDonate": "Donar", "HeaderDonationType": "Tipo de Donaci\u00f3n:", "OptionMakeOneTimeDonation": "Hacer una donaci\u00f3n independiente", + "OptionOneTimeDescription": "Esta es una donaci\u00f3n adicional para mostrar tu apoyo al equipo. No tiene ning\u00fan beneficio adicional ni producir\u00e1 una clave de aficionado.", + "OptionLifeTimeSupporterMembership": "Membres\u00eda de aficionado vitalicia", + "OptionYearlySupporterMembership": "Membres\u00eda anual de aficionado", + "OptionMonthlySupporterMembership": "Membres\u00eda mensual de aficionado", "OptionNoTrailer": "Sin Avance", "OptionNoThemeSong": "Sin Canci\u00f3n del Tema", "OptionNoThemeVideo": "Sin Video del Tema", "LabelOneTimeDonationAmount": "Cantidad a donar:", - "ButtonLearnMore": "Aprenda m\u00e1s", - "ButtonLearnMoreAboutEmbyConnect": "Conocer mas acerca de Emby Connect", - "LabelNewUserNameHelp": "Los nombres de usuario pueden contener letras (a-z), n\u00fameros (0-9), guiones (-), guiones bajos (_) y puntos (.)", - "OptionEnableExternalVideoPlayers": "Habilitar reproductores externos de video", - "HeaderOptionalLinkEmbyAccount": "Opcional: Enlazar su cuenta Emby", - "LabelEnableInternetMetadataForTvPrograms": "Descargar metadatos de Internet para:", - "LabelCustomDeviceDisplayName": "Nombre a Desplegar:", - "OptionTVMovies": "Pel\u00edculas de TV", - "LabelCustomDeviceDisplayNameHelp": "Proporcione un nombre a desplegar personalizado o d\u00e9jelo vac\u00edo para usar el nombre reportado por el dispositivo.", - "HeaderInviteUser": "Invitar Usuario", - "HeaderUpcomingMovies": "Pel\u00edculas por Estrenar", - "HeaderInviteUserHelp": "Compartir sus medios con amigos es mas f\u00e1cil que nunca con Emby Connect.", - "ButtonSendInvitation": "Enviar invitaci\u00f3n", - "HeaderGuests": "Invitados", - "HeaderUpcomingPrograms": "Programas por Estrenar", - "HeaderLocalUsers": "Usuarios Locales", - "HeaderPendingInvitations": "Invitaciones Pendientes", - "LabelShowLibraryTileNames": "Mostrar nombres de t\u00edtulo de las bibliotecas", - "LabelShowLibraryTileNamesHelp": "Determina si se desplegar\u00e1n etiquetas debajo de los t\u00edtulos de las bibliotecas con la p\u00e1gina principal", - "TitleDevices": "Dispositivos", - "TabCameraUpload": "Subir desde la C\u00e1mara", - "HeaderCameraUploadHelp": "Subir autom\u00e1ticamente fotograf\u00edas y videos tomados desde sus dispositivos m\u00f3viles a Emby.", - "TabPhotos": "Fotos", - "HeaderSchedule": "Programacion", - "MessageNoDevicesSupportCameraUpload": "Actualmente no cuenta con ning\u00fan dispositivo que soporte subir desde la c\u00e1mara.", - "OptionEveryday": "Todos los d\u00edas", - "LabelCameraUploadPath": "Ruta para subir desde la c\u00e1mara:", - "OptionWeekdays": "D\u00edas de semana", - "LabelCameraUploadPathHelp": "Seleccione una trayectoria personalizada de subida. Si no se especifica, una carpeta por omisi\u00f3n ser\u00e1 usada. Si usa una trayectoria personalizada, tambi\u00e9n ser\u00e1 necesario agregarla en el \u00e1rea de configuraci\u00f3n de la biblioteca.", - "OptionWeekends": "Fines de semana", - "LabelCreateCameraUploadSubfolder": "Crear una subcarpeta para cada dispositivo", - "MessageProfileInfoSynced": "Informaci\u00f3n de perfil de usuario sincronizada con Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Se pueden especificar carpetas espec\u00edficas para un dispositivo haciendo clic en \u00e9l desde la p\u00e1gina de Dispositivos.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Carrete de Tr\u00e1ilers", - "HeaderTrailerReel": "Carrete de Tr\u00e1ilers", - "OptionPlayUnwatchedTrailersOnly": "Reproducir \u00fanicamente tr\u00e1ilers no vistos", - "HeaderTrailerReelHelp": "Iniciar un carrete de tr\u00e1ilers para reproducir una lista de reproducci\u00f3n de larga duraci\u00f3n de tr\u00e1ilers.", - "TabDevices": "Dispositivos", - "MessageNoTrailersFound": "No se encontraron tr\u00e1ilers. Instale el canal de tr\u00e1ilers para mejorar su experiencia con pel\u00edculas al agregar una biblioteca de tr\u00e1ilers desde el Internet.", - "HeaderWelcomeToEmby": "Bienvenidos a Emby", - "OptionAllowSyncContent": "Permitir Sinc", - "LabelDateAddedBehavior": "Comportamiento de fecha de adici\u00f3n para nuevo contenido:", - "HeaderLibraryAccess": "Acceso a la Biblioteca", - "OptionDateAddedImportTime": "Emplear la fecha de escaneo en la biblioteca", - "EmbyIntroMessage": "Con Emby usted puede transmitir videos, musica y fotos hacia su telefono inteligente, tabla u otros equipos desde su Servidor Emby.", - "HeaderChannelAccess": "Acceso a los Canales", - "LabelEnableSingleImageInDidlLimit": "Limitar a una sola imagen incrustada.", - "OptionDateAddedFileTime": "Emplear fecha de creaci\u00f3n del archivo", - "HeaderLatestItems": "Elementos Recientes", - "LabelEnableSingleImageInDidlLimitHelp": "Algunos dispositivos no renderisaran apropiadamente si hay m\u00faltiples im\u00e1genes incrustadas en el Didl", - "LabelDateAddedBehaviorHelp": "Si se encuentra un valor en los metadados siempre ser\u00e1 empleado antes que cualquiera de estas opciones.", - "LabelSelectLastestItemsFolders": "Incluir medios de las siguientes secciones en Elementos Recientes", - "LabelNumberTrailerToPlay": "N\u00famero de tr\u00e1ilers a reproducir:", - "ButtonSkip": "Omitir", - "OptionAllowAudioPlaybackTranscoding": "Permitir la reproducci\u00f3n de audio que requiera de transcodificaci\u00f3n", - "OptionAllowVideoPlaybackTranscoding": "Permitir la reproducci\u00f3n de video que requiera de transcodificaci\u00f3n", - "NameSeasonUnknown": "Temporada Desconocida", - "NameSeasonNumber": "Temporada {0}", - "TextConnectToServerManually": "Conectar al servidor manualmente", - "TabStreaming": "Transmisi\u00f3n", - "HeaderSubtitleProfile": "Perf\u00edl de Subt\u00edtulo", - "LabelRemoteClientBitrateLimit": "Limite de tasa de bits para clientes remotos (Mbps):", - "HeaderSubtitleProfiles": "Perfiles de Subt\u00edtulos", - "OptionDisableUserPreferences": "Desactivar acceso a las preferencias de usuario", - "HeaderSubtitleProfilesHelp": "Los perfiles de subt\u00edtulos describen el formato del subt\u00edtulo soportado por el dispositivo.", - "OptionDisableUserPreferencesHelp": "Al activarse, s\u00f3lo los administradores podr\u00e1n configurar las im\u00e1genes del perfil del usuario, contrase\u00f1as y preferencias de idioma.", - "LabelFormat": "Formato:", - "HeaderSelectServer": "Seleccionar Servidor", - "ButtonConnect": "Conectar", - "LabelRemoteClientBitrateLimitHelp": "L\u00edmite opcional en la tasa de bits de transmisi\u00f3n para todos los clientes remotos. Esto es \u00fatil para evitar que los clientes soliciten una tasa de bits mayor a la que su conexi\u00f3n puede soportar.", - "LabelMethod": "M\u00e9todo:", - "MessageNoServersAvailableToConnect": "No hay servidores disponibles para conectarse. Si se le ha invitado a compartir un servidor, aseg\u00farese de aceptarlo aqu\u00ed abajo o haciendo clic en la liga del correo electr\u00f3nico.", - "LabelDidlMode": "Modo DIDL:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "Elemento res", - "HeaderSignInWithConnect": "Iniciar Sesi\u00f3n con Emby Connect", - "OptionEmbedSubtitles": "Embeber dentro del contenedor", - "OptionExternallyDownloaded": "Descarga externa", - "LabelServerHost": "Servidor:", - "CinemaModeConfigurationHelp2": "Los usuarios individuales podr\u00e1n desactivar el modo cine desde sus preferencias personales.", - "OptionOneTimeDescription": "Esta es una donaci\u00f3n adicional para mostrar tu apoyo al equipo. No tiene ning\u00fan beneficio adicional ni producir\u00e1 una clave de aficionado.", - "OptionHlsSegmentedSubtitles": "Subt\u00edtulos segmentados HIs", - "LabelEnableCinemaMode": "Activar modo cine", + "ButtonDonate": "Donar", + "ButtonPurchase": "Comprar", + "OptionActor": "Actor", + "OptionComposer": "Compositor", + "OptionDirector": "Director", + "OptionGuestStar": "Estrella invitada", + "OptionProducer": "Productor", + "OptionWriter": "Escritor", "LabelAirDays": "Se emite los d\u00edas:", - "HeaderCinemaMode": "Modo cine", "LabelAirTime": "Duraci\u00f3n:", "HeaderMediaInfo": "Info del Medio", "HeaderPhotoInfo": "Info de Fotograf\u00eda:", - "OptionAllowContentDownloading": "Permitir descarga de medios", - "LabelServerHostHelp": "192.168.1.100 O https:\/\/miservidor.com", - "TabDonate": "Donar", - "OptionLifeTimeSupporterMembership": "Membres\u00eda de aficionado vitalicia", - "LabelServerPort": "Puerto:", - "OptionYearlySupporterMembership": "Membres\u00eda anual de aficionado", - "LabelConversionCpuCoreLimit": "L\u00edmite de n\u00facleos de CPU:", - "OptionMonthlySupporterMembership": "Membres\u00eda mensual de aficionado", - "LabelConversionCpuCoreLimitHelp": "L\u00edmitar el n\u00famero de n\u00facleos del CPI que ser\u00e1n utilizados durante la conversi\u00f3n de sincronizaci\u00f3n.", - "ButtonChangeServer": "Cambiar Servidor", - "OptionEnableFullSpeedConversion": "Habilitar conversi\u00f3n a m\u00e1xima velocidad", - "OptionEnableFullSpeedConversionHelp": "Por defecto, la conversi\u00f3n es realizada a baja velocidad para minimizar el consumo de recursos.", - "HeaderConnectToServer": "Conectarse al servidor", - "LabelBlockContentWithTags": "Bloquear contenidos con etiquetas:", "HeaderInstall": "Instalar", "LabelSelectVersionToInstall": "Seleccionar versi\u00f3n a instalar:", "LinkSupporterMembership": "Conozca m\u00e1s sobre la Membres\u00eda de Aficionado", "MessageSupporterPluginRequiresMembership": "Este complemento requerir\u00e1 de una membres\u00eda de aficionado activa despu\u00e9s del periodo de prueba de 14 d\u00edas.", "MessagePremiumPluginRequiresMembership": "Este complemento requerir\u00e1 de una membres\u00eda de aficionado activa para poder comprarlo despu\u00e9s del periodo de prueba de 14 d\u00edas.", "HeaderReviews": "Rese\u00f1as", - "LabelTagFilterMode": "Modo:", "HeaderDeveloperInfo": "Info del desarrollador", "HeaderRevisionHistory": "Historial de Versiones", "ButtonViewWebsite": "Ver sitio web", - "LabelTagFilterAllowModeHelp": "Si las etiquetas permitidas son usadas como parte de una estrucutra compleja de carpetas anidadas, el contenido etiquetado requerir\u00e1 que las carpetas padre sean etiquetadas tambi\u00e9n.", - "HeaderPlaylists": "Listas", - "LabelEnableFullScreen": "Habilitar modo de pantalla completa", - "OptionEnableTranscodingThrottle": "Habilitar contenci\u00f3n", - "LabelEnableChromecastAc3Passthrough": "Habilitar transferencia directa de AC3 en Chromecast", - "OptionEnableTranscodingThrottleHelp": "La contenci\u00f3n permite ajustar autom\u00e1ticamente la velocidad de transcodificaci\u00f3n para minimizar la utilizaci\u00f3n del procesador en el servidor durante la reproducci\u00f3n.", - "LabelSyncPath": "Ruta para contenido sincronizado:", - "OptionActor": "Actor", - "ButtonDonate": "Donar", - "TitleNewUser": "Nuevo Usuario", - "OptionComposer": "Compositor", - "ButtonConfigurePassword": "Configura una Contrase\u00f1a", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "Las contrase\u00f1as de usuario son manejadas dentro de las configuraciones personales de cada perfil de usuario.", - "OptionGuestStar": "Estrella invitada", - "OptionProducer": "Productor", - "OptionWriter": "Escritor", "HeaderXmlSettings": "Configuraci\u00f3n XML", "HeaderXmlDocumentAttributes": "Atributos del Documento XML", - "ButtonSignInWithConnect": "Inicie con su cuenta de Emby Connect", "HeaderXmlDocumentAttribute": "Atributo del Documento XML", "XmlDocumentAttributeListHelp": "Estos atributos son aplicados al elemento ra\u00edz de cada respuesta XML.", - "ValueSpecialEpisodeName": "Especial: {0}", "OptionSaveMetadataAsHidden": "Guardar metadatos e im\u00e1genes como archivos ocultos", - "HeaderNewServer": "Nuevo Servidor", - "TabActivity": "Actividad", - "TitleSync": "Sinc", - "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.", - "HeaderInvitations": "Invitaciones", + "LabelExtractChaptersDuringLibraryScan": "Extraer im\u00e1genes de cap\u00edtulos durante el escaneo de la biblioteca", + "LabelExtractChaptersDuringLibraryScanHelp": "Si se activa, las im\u00e1genes de cap\u00edtulos ser\u00e1n extra\u00eddas cuando los videos sean importados durante el escaneo de la biblioteca. Si se deshabilita, ser\u00e1n extra\u00eddas durante la ejecuci\u00f3n de la tarea programada de extracci\u00f3n de im\u00e1genes de cap\u00edtulos, permiti\u00e9ndo que el escaneo normal de la biblioteca se complete m\u00e1s r\u00e1pidamente.", + "LabelConnectGuestUserName": "Su nombre de usuario Emby o correo electr\u00f3nico:", + "LabelConnectUserName": "Usuario de Emby\/correo electr\u00f3nico:", + "LabelConnectUserNameHelp": "Conectar este usuario a una cuenta Emby para habilitar el ingreso f\u00e1cil desde cualquier aplicaci\u00f3n Emby sin tener que conocer la direcci\u00f3n ip del servidor.", + "ButtonLearnMoreAboutEmbyConnect": "Conocer mas acerca de Emby Connect", + "LabelExternalPlayers": "Reproductores Externos:", + "LabelExternalPlayersHelp": "Despliega botones para reproducir contenido en reproductores externos. Esto s\u00f3lo est\u00e1 disponible en dispositivos que soporten esquemas URL, generalmente Android e iOS. Con reproductores externos normalmente no se cuenta con soporte para control remoto o reinicio.", + "LabelNativeExternalPlayersHelp": "Mostrar botones para reproducir contenido en reproductores externos.", + "LabelEnableItemPreviews": "Habilitar la vista previa de \u00edtems", + "LabelEnableItemPreviewsHelp": "Si se habilita, aparecer\u00e1n las vistas previas desliz\u00e1ndose al dar clic a los \u00edtems en ciertas pantallas.", + "HeaderSubtitleProfile": "Perf\u00edl de Subt\u00edtulo", + "HeaderSubtitleProfiles": "Perfiles de Subt\u00edtulos", + "HeaderSubtitleProfilesHelp": "Los perfiles de subt\u00edtulos describen el formato del subt\u00edtulo soportado por el dispositivo.", + "LabelFormat": "Formato:", + "LabelMethod": "M\u00e9todo:", + "LabelDidlMode": "Modo DIDL:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "Elemento res", + "OptionEmbedSubtitles": "Embeber dentro del contenedor", + "OptionExternallyDownloaded": "Descarga externa", + "OptionHlsSegmentedSubtitles": "Subt\u00edtulos segmentados HIs", "LabelSubtitleFormatHelp": "Ejemplo: srt", + "ButtonLearnMore": "Aprenda m\u00e1s", + "TabPlayback": "Reproducci\u00f3n", "HeaderLanguagePreferences": "Preferencias de Lenguaje", "TabCinemaMode": "Modo Cine", "TitlePlayback": "Reproducci\u00f3n", "LabelEnableCinemaModeFor": "Habilitar modo cine para:", "CinemaModeConfigurationHelp": "El modo cine trae la experiencia del cine directo al la sala de TV con la habilidad de reproducir tr\u00e1ilers e intros personalizados antes de la presentaci\u00f3n estelar.", - "LabelExtractChaptersDuringLibraryScan": "Extraer im\u00e1genes de cap\u00edtulos durante el escaneo de la biblioteca", - "OptionReportList": "Vista en Lista", "OptionTrailersFromMyMovies": "Incluir tr\u00e1ilers de pel\u00edculas en mi biblioteca", "OptionUpcomingMoviesInTheaters": "Incluir tr\u00e1ilers para pel\u00edculas nuevas y por estrenar", - "LabelExtractChaptersDuringLibraryScanHelp": "Si se activa, las im\u00e1genes de cap\u00edtulos ser\u00e1n extra\u00eddas cuando los videos sean importados durante el escaneo de la biblioteca. Si se deshabilita, ser\u00e1n extra\u00eddas durante la ejecuci\u00f3n de la tarea programada de extracci\u00f3n de im\u00e1genes de cap\u00edtulos, permiti\u00e9ndo que el escaneo normal de la biblioteca se complete m\u00e1s r\u00e1pidamente.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Estas caractwr\u00edsticas requieren de una membres\u00eda de aficionado activa y de la instalaci\u00f3n del complemento del canal de tr\u00e1ilers.", "LabelLimitIntrosToUnwatchedContent": "Solo usar tr\u00e1ilers de contenido no reproducido", - "OptionReportStatistics": "Estad\u00edsticas", - "LabelSelectInternetTrailersForCinemaMode": "Tr\u00e1ilers de Internet", "LabelEnableIntroParentalControl": "Habilitar control parental inteligente", - "OptionUpcomingDvdMovies": "Incluir tr\u00e1ilers de pel\u00edculas en DVD y Blu-ray nuevas y por estrenar", "LabelEnableIntroParentalControlHelp": "Los tr\u00e1ilers s\u00f3lo ser\u00e1n seleccionados con una clasificaci\u00f3n parental igual o menor a la del contenido que se est\u00e1 reproduciendo.", - "HeaderThisUserIsCurrentlyDisabled": "Este usuario se encuentra actualmente deshabilitado", - "OptionUpcomingStreamingMovies": "Incluir tr\u00e1ilers de pel\u00edculas nuevas o por estrenar en Netflix", - "HeaderNewUsers": "Nuevos Usuarios", - "HeaderUpcomingSports": "Deportes por Estrenar", - "OptionReportGrouping": "Agrupado", - "LabelDisplayTrailersWithinMovieSuggestions": "Desplegar tr\u00e1ilers dentro de las sugerencias de pel\u00edculas", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Estas caractwr\u00edsticas requieren de una membres\u00eda de aficionado activa y de la instalaci\u00f3n del complemento del canal de tr\u00e1ilers.", "OptionTrailersFromMyMoviesHelp": "Requiere configurar tr\u00e1ilers locales.", - "ButtonSignUp": "Registrarse", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requiere la instalaci\u00f3n del canal de tr\u00e1ilers.", "LabelCustomIntrosPath": "Trayectoria para intros personalizados:", - "MessageReenableUser": "Vea abajo para volverlo a habilitar", "LabelCustomIntrosPathHelp": "Un folder que contiene archivos de video. Un video ser\u00e1 seleccionado aleatoriamente y reproducido despu\u00e9s de los tr\u00e1ilers.", - "LabelUploadSpeedLimit": "L\u00edmite de velocidad de subida (mbps):", - "TabPlayback": "Reproducci\u00f3n", - "OptionAllowSyncTranscoding": "Permitir sincronizaci\u00f3n que requiera de transcodificaci\u00f3n", - "LabelConnectUserName": "Usuario de Emby\/correo electr\u00f3nico:", - "LabelConnectUserNameHelp": "Conectar este usuario a una cuenta Emby para habilitar el ingreso f\u00e1cil desde cualquier aplicaci\u00f3n Emby sin tener que conocer la direcci\u00f3n ip del servidor.", - "HeaderPlayback": "Reproducci\u00f3n de Medios", - "HeaderViewStyles": "Ver Estilos", - "TabJobs": "Trabajos", - "TabSyncJobs": "Trabajos de Sinc", - "LabelSelectViewStyles": "Abilitar presentaciones mejoradas para:", - "ButtonMoreItems": "Mas", - "OptionAllowMediaPlaybackTranscodingHelp": "Los usuarios recibir\u00e1n mensajes amigables cuando el contenido no pueda ser reproducido de acuerdo a su pol\u00edtica.", - "LabelSelectViewStylesHelp": "Si se activa, las diferentes vistas usar\u00e1n metada para mostrar categor\u00edas como Sugerencias, \u00daltimos, G\u00e9neros, y m\u00e1s. Si est\u00e1 desactivado, se mostrar\u00e1n como carpetas comunes.", - "LabelEmail": "Email:", - "LabelUsername": "Nombre Usuario:", - "HeaderSignUp": "Registrarse", - "ButtonPurchase": "Comprar", - "LabelPasswordConfirm": "Contrase\u00f1a (confirmar):", - "ButtonAddServer": "Agregar Servidor", - "HeaderForgotPassword": "Contrase\u00f1a Olvidada", - "LabelConnectGuestUserName": "Su nombre de usuario Emby o correo electr\u00f3nico:", + "ValueSpecialEpisodeName": "Especial: {0}", + "LabelSelectInternetTrailersForCinemaMode": "Tr\u00e1ilers de Internet", + "OptionUpcomingDvdMovies": "Incluir tr\u00e1ilers de pel\u00edculas en DVD y Blu-ray nuevas y por estrenar", + "OptionUpcomingStreamingMovies": "Incluir tr\u00e1ilers de pel\u00edculas nuevas o por estrenar en Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Desplegar tr\u00e1ilers dentro de las sugerencias de pel\u00edculas", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requiere la instalaci\u00f3n del canal de tr\u00e1ilers.", + "CinemaModeConfigurationHelp2": "Los usuarios individuales podr\u00e1n desactivar el modo cine desde sus preferencias personales.", + "LabelEnableCinemaMode": "Activar modo cine", + "HeaderCinemaMode": "Modo cine", + "LabelDateAddedBehavior": "Comportamiento de fecha de adici\u00f3n para nuevo contenido:", + "OptionDateAddedImportTime": "Emplear la fecha de escaneo en la biblioteca", + "OptionDateAddedFileTime": "Emplear fecha de creaci\u00f3n del archivo", + "LabelDateAddedBehaviorHelp": "Si se encuentra un valor en los metadados siempre ser\u00e1 empleado antes que cualquiera de estas opciones.", + "LabelNumberTrailerToPlay": "N\u00famero de tr\u00e1ilers a reproducir:", + "TitleDevices": "Dispositivos", + "TabCameraUpload": "Subir desde la C\u00e1mara", + "TabDevices": "Dispositivos", + "HeaderCameraUploadHelp": "Subir autom\u00e1ticamente fotograf\u00edas y videos tomados desde sus dispositivos m\u00f3viles a Emby.", + "MessageNoDevicesSupportCameraUpload": "Actualmente no cuenta con ning\u00fan dispositivo que soporte subir desde la c\u00e1mara.", + "LabelCameraUploadPath": "Ruta para subir desde la c\u00e1mara:", + "LabelCameraUploadPathHelp": "Seleccione una trayectoria personalizada de subida. Si no se especifica, una carpeta por omisi\u00f3n ser\u00e1 usada. Si usa una trayectoria personalizada, tambi\u00e9n ser\u00e1 necesario agregarla en el \u00e1rea de configuraci\u00f3n de la biblioteca.", + "LabelCreateCameraUploadSubfolder": "Crear una subcarpeta para cada dispositivo", + "LabelCreateCameraUploadSubfolderHelp": "Se pueden especificar carpetas espec\u00edficas para un dispositivo haciendo clic en \u00e9l desde la p\u00e1gina de Dispositivos.", + "LabelCustomDeviceDisplayName": "Nombre a Desplegar:", + "LabelCustomDeviceDisplayNameHelp": "Proporcione un nombre a desplegar personalizado o d\u00e9jelo vac\u00edo para usar el nombre reportado por el dispositivo.", + "HeaderInviteUser": "Invitar Usuario", "LabelConnectGuestUserNameHelp": "Este es el nombre de usuario que su amigo usa para accesar a la pagina web de Emby, o su direcci\u00f3n de correo electr\u00f3nico.", + "HeaderInviteUserHelp": "Compartir sus medios con amigos es mas f\u00e1cil que nunca con Emby Connect.", + "ButtonSendInvitation": "Enviar invitaci\u00f3n", + "HeaderSignInWithConnect": "Iniciar Sesi\u00f3n con Emby Connect", + "HeaderGuests": "Invitados", + "HeaderLocalUsers": "Usuarios Locales", + "HeaderPendingInvitations": "Invitaciones Pendientes", + "TabParentalControl": "Control Parental", + "HeaderAccessSchedule": "Acceder Programaci\u00f3n", + "HeaderAccessScheduleHelp": "Crear programaci\u00f3n de acceso para limitar el acceso a ciertos horarios.", + "ButtonAddSchedule": "Agregar Programaci\u00f3n", + "LabelAccessDay": "D\u00eda de la semana:", + "LabelAccessStart": "Horario de comienzo:", + "LabelAccessEnd": "Horario de fin:", + "HeaderSchedule": "Programacion", + "OptionEveryday": "Todos los d\u00edas", + "OptionWeekdays": "D\u00edas de semana", + "OptionWeekends": "Fines de semana", + "MessageProfileInfoSynced": "Informaci\u00f3n de perfil de usuario sincronizada con Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Opcional: Enlazar su cuenta Emby", + "ButtonTrailerReel": "Carrete de Tr\u00e1ilers", + "HeaderTrailerReel": "Carrete de Tr\u00e1ilers", + "OptionPlayUnwatchedTrailersOnly": "Reproducir \u00fanicamente tr\u00e1ilers no vistos", + "HeaderTrailerReelHelp": "Iniciar un carrete de tr\u00e1ilers para reproducir una lista de reproducci\u00f3n de larga duraci\u00f3n de tr\u00e1ilers.", + "MessageNoTrailersFound": "No se encontraron tr\u00e1ilers. Instale el canal de tr\u00e1ilers para mejorar su experiencia con pel\u00edculas al agregar una biblioteca de tr\u00e1ilers desde el Internet.", + "HeaderNewUsers": "Nuevos Usuarios", + "ButtonSignUp": "Registrarse", "ButtonForgotPassword": "Olvid\u00e9 contrase\u00f1a", + "OptionDisableUserPreferences": "Desactivar acceso a las preferencias de usuario", + "OptionDisableUserPreferencesHelp": "Al activarse, s\u00f3lo los administradores podr\u00e1n configurar las im\u00e1genes del perfil del usuario, contrase\u00f1as y preferencias de idioma.", + "HeaderSelectServer": "Seleccionar Servidor", + "MessageNoServersAvailableToConnect": "No hay servidores disponibles para conectarse. Si se le ha invitado a compartir un servidor, aseg\u00farese de aceptarlo aqu\u00ed abajo o haciendo clic en la liga del correo electr\u00f3nico.", + "TitleNewUser": "Nuevo Usuario", + "ButtonConfigurePassword": "Configura una Contrase\u00f1a", + "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.", + "HeaderInvitations": "Invitaciones", "LabelForgotPasswordUsernameHelp": "Introduce tu nombre de usuario, si lo recuerdas.", + "HeaderForgotPassword": "Contrase\u00f1a Olvidada", "TitleForgotPassword": "Contrase\u00f1a Olvidada", "TitlePasswordReset": "Restablecer Contrase\u00f1a", - "TabParentalControl": "Control Parental", "LabelPasswordRecoveryPinCode": "C\u00f3digo pin:", - "HeaderAccessSchedule": "Acceder Programaci\u00f3n", "HeaderPasswordReset": "Restablecer Contrase\u00f1a", - "HeaderAccessScheduleHelp": "Crear programaci\u00f3n de acceso para limitar el acceso a ciertos horarios.", "HeaderParentalRatings": "Clasificaci\u00f3n Parental", - "ButtonAddSchedule": "Agregar Programaci\u00f3n", "HeaderVideoTypes": "Tipos de Video", - "LabelAccessDay": "D\u00eda de la semana:", "HeaderYears": "A\u00f1os", - "LabelAccessStart": "Horario de comienzo:", - "LabelAccessEnd": "Horario de fin:", - "LabelDvdSeasonNumber": "N\u00famero de temporada del DVD:", + "HeaderAddTag": "Agregar Etiqueta", + "LabelBlockContentWithTags": "Bloquear contenidos con etiquetas:", + "LabelTag": "Etiqueta:", + "LabelEnableSingleImageInDidlLimit": "Limitar a una sola imagen incrustada.", + "LabelEnableSingleImageInDidlLimitHelp": "Algunos dispositivos no renderisaran apropiadamente si hay m\u00faltiples im\u00e1genes incrustadas en el Didl", + "TabActivity": "Actividad", + "TitleSync": "Sinc", + "OptionAllowSyncContent": "Permitir Sinc", + "OptionAllowContentDownloading": "Permitir descarga de medios", + "NameSeasonUnknown": "Temporada Desconocida", + "NameSeasonNumber": "Temporada {0}", + "LabelNewUserNameHelp": "Los nombres de usuario pueden contener letras (a-z), n\u00fameros (0-9), guiones (-), guiones bajos (_) y puntos (.)", + "TabJobs": "Trabajos", + "TabSyncJobs": "Trabajos de Sinc", + "LabelTagFilterMode": "Modo:", + "LabelTagFilterAllowModeHelp": "Si las etiquetas permitidas son usadas como parte de una estrucutra compleja de carpetas anidadas, el contenido etiquetado requerir\u00e1 que las carpetas padre sean etiquetadas tambi\u00e9n.", + "HeaderThisUserIsCurrentlyDisabled": "Este usuario se encuentra actualmente deshabilitado", + "MessageReenableUser": "Vea abajo para volverlo a habilitar", + "LabelEnableInternetMetadataForTvPrograms": "Descargar metadatos de Internet para:", + "OptionTVMovies": "Pel\u00edculas de TV", + "HeaderUpcomingMovies": "Pel\u00edculas por Estrenar", + "HeaderUpcomingSports": "Deportes por Estrenar", + "HeaderUpcomingPrograms": "Programas por Estrenar", + "ButtonMoreItems": "Mas", + "LabelShowLibraryTileNames": "Mostrar nombres de t\u00edtulo de las bibliotecas", + "LabelShowLibraryTileNamesHelp": "Determina si se desplegar\u00e1n etiquetas debajo de los t\u00edtulos de las bibliotecas con la p\u00e1gina principal", + "OptionEnableTranscodingThrottle": "Habilitar contenci\u00f3n", + "OptionEnableTranscodingThrottleHelp": "La contenci\u00f3n permite ajustar autom\u00e1ticamente la velocidad de transcodificaci\u00f3n para minimizar la utilizaci\u00f3n del procesador en el servidor durante la reproducci\u00f3n.", + "LabelUploadSpeedLimit": "L\u00edmite de velocidad de subida (mbps):", + "OptionAllowSyncTranscoding": "Permitir sincronizaci\u00f3n que requiera de transcodificaci\u00f3n", + "HeaderPlayback": "Reproducci\u00f3n de Medios", + "OptionAllowAudioPlaybackTranscoding": "Permitir la reproducci\u00f3n de audio que requiera de transcodificaci\u00f3n", + "OptionAllowVideoPlaybackTranscoding": "Permitir la reproducci\u00f3n de video que requiera de transcodificaci\u00f3n", + "OptionAllowMediaPlaybackTranscodingHelp": "Los usuarios recibir\u00e1n mensajes amigables cuando el contenido no pueda ser reproducido de acuerdo a su pol\u00edtica.", + "TabStreaming": "Transmisi\u00f3n", + "LabelRemoteClientBitrateLimit": "Limite de tasa de bits para clientes remotos (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "L\u00edmite opcional en la tasa de bits de transmisi\u00f3n para todos los clientes remotos. Esto es \u00fatil para evitar que los clientes soliciten una tasa de bits mayor a la que su conexi\u00f3n puede soportar.", + "LabelConversionCpuCoreLimit": "L\u00edmite de n\u00facleos de CPU:", + "LabelConversionCpuCoreLimitHelp": "L\u00edmitar el n\u00famero de n\u00facleos del CPI que ser\u00e1n utilizados durante la conversi\u00f3n de sincronizaci\u00f3n.", + "OptionEnableFullSpeedConversion": "Habilitar conversi\u00f3n a m\u00e1xima velocidad", + "OptionEnableFullSpeedConversionHelp": "Por defecto, la conversi\u00f3n es realizada a baja velocidad para minimizar el consumo de recursos.", + "HeaderPlaylists": "Listas", + "HeaderViewStyles": "Ver Estilos", + "LabelSelectViewStyles": "Abilitar presentaciones mejoradas para:", + "LabelSelectViewStylesHelp": "Si se activa, las diferentes vistas usar\u00e1n metada para mostrar categor\u00edas como Sugerencias, \u00daltimos, G\u00e9neros, y m\u00e1s. Si est\u00e1 desactivado, se mostrar\u00e1n como carpetas comunes.", + "TabPhotos": "Fotos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Bienvenidos a Emby", + "EmbyIntroMessage": "Con Emby usted puede transmitir videos, musica y fotos hacia su telefono inteligente, tabla u otros equipos desde su Servidor Emby.", + "ButtonSkip": "Omitir", + "TextConnectToServerManually": "Conectar al servidor manualmente", + "ButtonSignInWithConnect": "Inicie con su cuenta de Emby Connect", + "ButtonConnect": "Conectar", + "LabelServerHost": "Servidor:", + "LabelServerHostHelp": "192.168.1.100 O https:\/\/miservidor.com", + "LabelServerPort": "Puerto:", + "HeaderNewServer": "Nuevo Servidor", + "ButtonChangeServer": "Cambiar Servidor", + "HeaderConnectToServer": "Conectarse al servidor", + "OptionReportList": "Vista en Lista", + "OptionReportStatistics": "Estad\u00edsticas", + "OptionReportGrouping": "Agrupado", "HeaderExport": "Exportar", - "LabelDvdEpisodeNumber": "N\u00famero de episodio de DVD:", - "LabelAbsoluteEpisodeNumber": "N\u00famero de episodio absoluto:", - "LabelAirsBeforeSeason": "Transmisi\u00f3n antes de la temporada:", "HeaderColumns": "Columnas", - "LabelAirsAfterSeason": "Transmisi\u00f3n despu\u00e9s de la temporada:" + "ButtonReset": "Resetear", + "OptionEnableExternalVideoPlayers": "Habilitar reproductores externos de video", + "ButtonUnlockGuide": "Desbloquear Gu\u00eda", + "LabelEnableFullScreen": "Habilitar modo de pantalla completa", + "LabelEnableChromecastAc3Passthrough": "Habilitar transferencia directa de AC3 en Chromecast", + "LabelSyncPath": "Ruta para contenido sincronizado:", + "LabelEmail": "Email:", + "LabelUsername": "Nombre Usuario:", + "HeaderSignUp": "Registrarse", + "LabelPasswordConfirm": "Contrase\u00f1a (confirmar):", + "ButtonAddServer": "Agregar Servidor", + "TabHomeScreen": "Pantalla de Inicio", + "HeaderDisplay": "Pantalla", + "HeaderNavigation": "Navegaci\u00f3n", + "LegendTheseSettingsShared": "Estas configuraciones son compartidas en todos los dispositivos" } \ 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 636860be6d..019e84b5d4 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/es.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/es.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bienvenidos a Emby!", - "LabelImageSavingConvention": "Sistema de guardado de im\u00e1genes:", - "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.", - "HeaderNewCollection": "Nueva colecci\u00f3n", - "LabelImageSavingConventionHelp": "Emby reconoce im\u00e1genes de la mayor\u00eda de las principales aplicaciones de medios. Seleccionar su convenci\u00f3n de descarga es \u00fatil si tambi\u00e9n usa otros productos.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Vincular a Emby Connect", - "OptionImageSavingStandard": "Est\u00e1ndar - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Crear", - "ButtonSignIn": "Registrarse", - "LiveTvPluginRequired": "El servicio de TV en vivo es necesario para poder continuar.", - "TitleSignIn": "Registrarse", - "LiveTvPluginRequiredHelp": "Instale uno de los plugins disponibles, como Next Pvr o ServerVmc.", - "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:", - "ProjectHasCommunity": "Emby tiene una pr\u00f3spera comunidad de usuarios y contribuidores.", - "HeaderPleaseSignIn": "Por favor reg\u00edstrese", - "LabelUser": "Usuario:", - "LabelExternalDDNS": "Direccion externa del WAN:", - "TabOther": "Otros", - "LabelPassword": "Contrase\u00f1a:", - "OptionDownloadThumbImage": "Miniatura", - "LabelExternalDDNSHelp": "Ponga aqui su DNS dinamico si tiene uno. las aplicaciones de Emby lo usar\u00e1n para conectarse remotamente. Deje en blanco para detecci\u00f3n autom\u00e1tica.", - "VisitProjectWebsite": "Visite la pagina de Emby", - "ButtonManualLogin": "Acceder manualmente", - "OptionDownloadMenuImage": "Men\u00fa", - "TabResume": "Continuar", - "PasswordLocalhostMessage": "No se necesitan contrase\u00f1as al iniciar sesi\u00f3n desde localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "El tiempo", - "OptionDownloadBoxImage": "Caja", - "TitleAppSettings": "Opciones de la App", - "ButtonDeleteImage": "Borrar imagen", - "VisitProjectWebsiteLong": "Visite la p\u00e1gina Emby para obtener lo m\u00e1s reciente y mantenerse al d\u00eda con el blog de desarrolladores.", - "OptionDownloadDiscImage": "Disco", - "LabelMinResumePercentage": "Porcentaje m\u00ednimo para reanudaci\u00f3n:", - "ButtonUpload": "Subir", - "OptionDownloadBannerImage": "Pancarta", - "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para reanudaci\u00f3n::", - "HeaderUploadNewImage": "Subir nueva imagen", - "OptionDownloadBackImage": "Atr\u00e1s", - "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima de reanudaci\u00f3n (segundos):", - "OptionHideWatchedContentFromLatestMedia": "Esconder medios vistos de los medios m\u00e1s recientes", - "LabelDropImageHere": "Poner imagen aqui", - "OptionDownloadArtImage": "Arte", - "LabelMinResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como no reproducidos si se paran antes de este momento", - "ImageUploadAspectRatioHelp": "Se Recomienda una Proporci\u00f3n de Aspecto 1:1. Solo JPG\/PNG", - "OptionDownloadPrimaryImage": "Principal", - "LabelMaxResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como reproducidos si se paran despu\u00e9s de este momento", - "MessageNothingHere": "Nada aqu\u00ed.", - "HeaderFetchImages": "Buscar im\u00e1genes", - "LabelMinResumeDurationHelp": "Los t\u00edtulos m\u00e1s cortos de esto no ser\u00e1n reanudables", - "TabSuggestions": "Sugerencias", - "MessagePleaseEnsureInternetMetadata": "Por favor aseg\u00farese que la descarga de metadata de internet esta habilitada", - "HeaderImageSettings": "Opciones de im\u00e1gen", - "TabSuggested": "Sugerencia", - "LabelMaxBackdropsPerItem": "M\u00e1ximo n\u00famero de im\u00e1genes de fondo por \u00edtem:", - "TabLatest": "Novedades", - "LabelMaxScreenshotsPerItem": "M\u00e1ximo n\u00famero de capturas de pantalla por \u00edtem:", - "TabUpcoming": "Pr\u00f3ximos", - "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:", - "TabShows": "Programas", - "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:", - "TabEpisodes": "Episodios", - "ButtonAddScheduledTaskTrigger": "Agregar Activador", - "TabGenres": "G\u00e9neros", - "HeaderAddScheduledTaskTrigger": "Agregar Activador", - "TabPeople": "Gente", - "ButtonAdd": "A\u00f1adir", - "TabNetworks": "redes", - "LabelTriggerType": "Tipo de evento:", - "OptionDaily": "Diario", - "OptionWeekly": "Semanal", - "OptionOnInterval": "En un intervalo", - "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n", - "ButtonHelp": "Ayuda", - "OptionAfterSystemEvent": "Despu\u00e9s de un evento de sistema", - "LabelDay": "D\u00eda:", - "LabelTime": "Hora:", - "OptionRelease": "Release Oficial", - "LabelEvent": "Evento:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Despertar", - "ButtonInviteUser": "Invitar usuario", - "OptionDev": "Desarrollo (inestable)", - "LabelEveryXMinutes": "Cada:", - "HeaderTvTuners": "Sintonizadores", - "CategorySync": "Sincronizar", - "HeaderGallery": "Galer\u00eda", - "HeaderLatestGames": "\u00daltimos Juegos", - "RegisterWithPayPal": "Registrese con PayPal", - "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", + "LabelExit": "Salir", + "LabelVisitCommunity": "Visitar la comunidad", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Est\u00e1ndar", "LabelApiDocumentation": "Documentaci\u00f3n API", - "Option2Player": "2+", "LabelDeveloperResources": "Recursos del Desarrollador", - "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", - "LabelManagement": "administraci\u00f3n:", - "HeaderMusicVideos": "V\u00eddeos musicales", - "HeaderSpecialFeatures": "Caracter\u00edsticas especiales", + "LabelBrowseLibrary": "Navegar biblioteca", + "LabelConfigureServer": "Configurar Emby", + "LabelOpenLibraryViewer": "Abrir el visor de la biblioteca", + "LabelRestartServer": "Reiniciar el servidor", + "LabelShowLogWindow": "Mostrar la ventana del log", + "LabelPrevious": "Anterior", + "LabelFinish": "Terminar", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Siguiente", + "LabelYoureDone": "Ha Terminado!", + "WelcomeToProject": "Bienvenidos a Emby!", + "ThisWizardWillGuideYou": "Este asistente lo guiar\u00e1 por el proceso de instalaci\u00f3n. Para comenzar, seleccione su idioma preferido.", + "TellUsAboutYourself": "D\u00edganos acerca de usted", + "ButtonQuickStartGuide": "Gu\u00eda de inicio r\u00e1pido", + "LabelYourFirstName": "Su primer nombre:", + "MoreUsersCanBeAddedLater": "M\u00e1s usuarios pueden agregarse m\u00e1s tarde en el panel de control.", + "UserProfilesIntro": "Emby incluye soporte interno para perfiles de usuarios, permitiendo que cada usuario tenga sus propios ajustes, estado de reproducci\u00f3n y control parental.", + "LabelWindowsService": "Servicio de Windows", + "AWindowsServiceHasBeenInstalled": "Un servicio de Windows se ha instalado", + "WindowsServiceIntro1": "El Servidor Emby normalmente se inicia como una aplicacion con un icono en la bandeja, pero si usted prefiere que inicie como un servicio de fondo, entonces puede ser iniciado desde los servicios de Windows en el panel de control.", + "WindowsServiceIntro2": "Si se utiliza el servicio de Windows, tenga en cuenta que no se puede ejecutar al mismo tiempo que el icono de la bandeja, por lo que tendr\u00e1 que salir de la bandeja con el fin de ejecutar el servicio. Tambi\u00e9n tendr\u00e1 que ser configurado con privilegios administrativos a trav\u00e9s del panel de control del servicio. Tenga en cuenta que en este momento el servicio no es capaz de auto-actualizaci\u00f3n, por lo que las nuevas versiones requieren la interacci\u00f3n manual.", + "WizardCompleted": "Eso es todo lo que necesitamos por ahora. Emby a iniciado la colecci\u00f3n de su biblioteca digital. Vea algunos de nuestras aplicaciones, y despu\u00e9s haga clic Finalizar<\/b>para ver el Panel de Servidor<\/b>.", + "LabelConfigureSettings": "Configuraci\u00f3n de opciones", + "LabelEnableVideoImageExtraction": "Habilitar extracci\u00f3n de im\u00e1genes de video", + "VideoImageExtractionHelp": "Para los v\u00eddeos que no dispongan de im\u00e1genes y que no podemos encontrar en Internet. Esto agregar\u00e1 un tiempo adicional para la exploraci\u00f3n inicial de bibliotecas, pero resultar\u00e1 en una presentaci\u00f3n m\u00e1s agradable.", + "LabelEnableChapterImageExtractionForMovies": "Extraer im\u00e1genes de cap\u00edtulos para pel\u00edculas", + "LabelChapterImageExtractionForMoviesHelp": "Extraer imagenes de capitulos permitir\u00e1 a los usuarios ver escenas gr\u00e1ficas en la seleccion de men\u00fa. El proceso puede ser lento, cpu-intenso y puede requerir algunos gigabytes de espacio.", + "LabelEnableAutomaticPortMapping": "Habilitar asignaci\u00f3n de puertos autom\u00e1tico", + "LabelEnableAutomaticPortMappingHelp": "UPnP permite la configuraci\u00f3n del router para acceso externo de forma f\u00e1cil y autom\u00e1tica. Esto puede no funcionar en algunos modelos de routers.", + "HeaderTermsOfService": "T\u00e9rminos de servicios de Emby", + "MessagePleaseAcceptTermsOfService": "Por favor aceptar los terminos de servicios y politica de privacidad antes de continuar.", + "OptionIAcceptTermsOfService": "Acepto los terminos de servicio", + "ButtonPrivacyPolicy": "Politica de privacidad", + "ButtonTermsOfService": "Terminos de servicios", "HeaderDeveloperOptions": "Recursos del Desarrollador", - "HeaderCastCrew": "Reparto y equipo t\u00e9cnico", - "LabelLocalHttpServerPortNumber": "Numero local de puerto de http:", - "HeaderAdditionalParts": "Partes adicionales", "OptionEnableWebClientResponseCache": "Habilitar almacenamiento de cach\u00e9 de respuestas del cliente web.", - "LabelLocalHttpServerPortNumberHelp": "N\u00famero de puerto al que el servidor de http de Emby debe de ser enlazado.", - "ButtonSplitVersionsApart": "Dividir versiones aparte", - "LabelSyncTempPath": "Localizaci\u00f3n del archivo temporal:", "OptionDisableForDevelopmentHelp": "Configure cuantas veces sea nesesario para propositos del desarrollo de cliente de la red.", - "LabelMissing": "Falta", - "LabelSyncTempPathHelp": "Especificar una carpeta personalizada para achivos en sincronizaci\u00f3n. Medios convertidos creados durante el proceso de sincronizaci\u00f3n ser\u00e1n guardados aqu\u00ed.", - "LabelEnableAutomaticPortMap": "Habilitar asignaci\u00f3n de puertos autom\u00e1tico", - "LabelOffline": "Apagado", "OptionEnableWebClientResourceMinification": "Habilitar minificaci\u00f3n de recursos para la aplicacion en linea", - "LabelEnableAutomaticPortMapHelp": "UPnP permite la configuraci\u00f3n del router para acceso externo de forma f\u00e1cil y autom\u00e1tica. Esto puede no funcionar en algunos modelos de routers.", - "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,", - "LabelCustomCertificatePath": "Lugar del certificado personalizado:", - "HeaderFrom": "Desde", "LabelDashboardSourcePath": "Localizaci\u00f3n de la fuente del cliente web:", - "HeaderTo": "Hasta", - "LabelCustomCertificatePathHelp": "Aplique su propio certificado ssl or archivo .pfx. Si lo omite el servidor crear\u00e1 un certificado auto-registrador.", - "LabelFrom": "Desde:", "LabelDashboardSourcePathHelp": "Si est\u00e1 ejecutando el servidor desde la fuente, especifique la ruta de acceso a la carpeta dashboard-ui. Todos los archivos del cliente web ser\u00e1n atendidos desde esta ruta.", - "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)", - "ButtonAddToCollection": "Agregar a la colecci\u00f3n", - "LabelTo": "Hasta:", + "ButtonConvertMedia": "Convertir medios", + "ButtonOrganize": "Organizar", + "LinkedToEmbyConnect": "Vincular a Emby Connect", + "HeaderSupporterBenefits": "Beneficios del partidario", + "HeaderAddUser": "Agregar Usuario", + "LabelAddConnectSupporterHelp": "Para agregar a un usuario que no est\u00e1 en el listado, usted tiene primero que conectar su cuenta con Emby Connect desde la p\u00e1gina de perfil del usuario.", + "LabelPinCode": "C\u00f3digo PIN:", + "OptionHideWatchedContentFromLatestMedia": "Esconder medios vistos de los medios m\u00e1s recientes", + "HeaderSync": "Sincronizar", + "ButtonOk": "OK", + "ButtonCancel": "Cancelar", + "ButtonExit": "Salir", + "ButtonNew": "Nuevo", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Ruta", - "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (ruta a la que puedan acceder los clientes)", - "ButtonAddPathSubstitution": "A\u00f1adir ruta alternativa", + "CategorySync": "Sincronizar", + "TabPlaylist": "Lista de reproducci\u00f3n", + "HeaderEasyPinCode": "F\u00e1cil c\u00f3digo PIN:", + "HeaderGrownupsOnly": "Adultos solamente!", + "DividerOr": "-- y --", + "HeaderInstalledServices": "Servicios Instalados", + "HeaderAvailableServices": "Servicios Disponibles", + "MessageNoServicesInstalled": "No hay servicios instalados.", + "HeaderToAccessPleaseEnterEasyPinCode": "Para acceder, por favor introduzca su f\u00e1cil c\u00f3digo PIN.", + "KidsModeAdultInstruction": "Haga clic en el icono en la parte de abajo derecha para configurar o salir del modo de menores. Su codigo PIN es requerido.", + "ButtonConfigurePinCode": "Configurar contrase\u00f1a", + "HeaderAdultsReadHere": "Adultos Leer Aqui!", + "RegisterWithPayPal": "Registrese con PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync requiere membres\u00eda de partidario", + "HeaderEnjoyDayTrial": "Disfrute 14 Dias Gratis de Prueba", + "LabelSyncTempPath": "Localizaci\u00f3n del archivo temporal:", + "LabelSyncTempPathHelp": "Especificar una carpeta personalizada para achivos en sincronizaci\u00f3n. Medios convertidos creados durante el proceso de sincronizaci\u00f3n ser\u00e1n guardados aqu\u00ed.", + "LabelCustomCertificatePath": "Lugar del certificado personalizado:", + "LabelCustomCertificatePathHelp": "Aplique su propio certificado ssl or archivo .pfx. Si lo omite el servidor crear\u00e1 un certificado auto-registrador.", "TitleNotifications": "Notificaciones", - "OptionSpecialEpisode": "Especiales", - "OptionMissingEpisode": "Episodios que faltan", "ButtonDonateWithPayPal": "Done usando Paypal", + "OptionDetectArchiveFilesAsMedia": "Detectar archivos come medios", + "OptionDetectArchiveFilesAsMediaHelp": "Si es habilitado, archivos con extensiones .rar y .zip ser\u00e1n detectados como medios.", + "LabelEnterConnectUserName": "Nombre de usuario o email:", + "LabelEnterConnectUserNameHelp": "Este es su nombre de usuario y contrase\u00f1a para la cuenta de Emby en linea.", + "LabelEnableEnhancedMovies": "Habilite presentaciones de peliculas mejoradas", + "LabelEnableEnhancedMoviesHelp": "Cuando est\u00e9 habilitado, las peliculas seran mostradas como folderes para incluir trailers, extras, elenco y equipo, y otros contenidos relacionados.", + "HeaderSyncJobInfo": "Trabajo de Sync", + "FolderTypeMovies": "Peliculas", + "FolderTypeMusic": "Musica", + "FolderTypeAdultVideos": "Videos para adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "Videos Musicales", + "FolderTypeHomeVideos": "Videos caseros", + "FolderTypeGames": "Juegos", + "FolderTypeBooks": "Libros", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Heredado ", - "OptionUnairedEpisode": "Episodios no emitidos", "LabelContentType": "Tipo de contenido:", - "OptionEpisodeSortName": "Nombre corto del episodio", "TitleScheduledTasks": "Programar una tarea", - "OptionSeriesSortName": "Nombre de la serie", - "TabNotifications": "Notificaciones", - "OptionTvdbRating": "Valoraci\u00f3n tvdb", - "LinkApi": "API", - "HeaderTranscodingQualityPreference": "Preferencia de calidad de transcodificaci\u00f3n:", - "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad", - "LabelPublicHttpPort": "N\u00famero de puerto p\u00fablico de http:", - "OptionHighSpeedTranscodingHelp": "Calidad menor, pero codificaci\u00f3n r\u00e1pida", - "OptionHighQualityTranscodingHelp": "C\u00e1lidad mayor, pero codificaci\u00f3n lenta", - "OptionPosterCard": "Cartel", - "LabelPublicHttpPortHelp": "El n\u00famero de puerto p\u00fablico que debe ser enlazado al puerto local http:", - "OptionMaxQualityTranscodingHelp": "La mayor calidad posible con codificaci\u00f3n lenta y alto uso de CPU", - "OptionThumbCard": "Cartel postal", - "OptionHighSpeedTranscoding": "Mayor velocidad", - "OptionAllowRemoteSharedDevices": "Habilitar el control remote de otros equipos compartidos", - "LabelPublicHttpsPort": "N\u00famero de puerto p\u00fablico de https:", - "OptionHighQualityTranscoding": "Mayor calidad", - "OptionAllowRemoteSharedDevicesHelp": "Los equipos DLNA son considerados compartidos hasta que un usuario empiece a controlarlo.", - "OptionMaxQualityTranscoding": "M\u00e1xima calidad", - "HeaderRemoteControl": "Control Remoto", - "LabelPublicHttpsPortHelp": "El n\u00famero de puerto p\u00fablico que debe ser enlazado al puerto local https:", - "OptionEnableDebugTranscodingLogging": "Activar el registro de depuraci\u00f3n del transcodificador", + "HeaderSetupLibrary": "Configurar biblioteca de medios", + "ButtonAddMediaFolder": "Agregar una carpeta de medios", + "LabelFolderType": "Tipo de carpeta:", + "ReferToMediaLibraryWiki": "Consultar el wiki de la biblioteca de medios", + "LabelCountry": "Pa\u00eds:", + "LabelLanguage": "Idioma:", + "LabelTimeLimitHours": "Limite de tiempo (horas):", + "ButtonJoinTheDevelopmentTeam": "Unace al equipo de desarrolladores", + "HeaderPreferredMetadataLanguage": "Idioma preferido para metadata", + "LabelSaveLocalMetadata": "Guardar im\u00e1genes y metadata en las carpetas de medios", + "LabelSaveLocalMetadataHelp": "Guardar im\u00e1genes y metadata directamente en las carpetas de medios, permitir\u00e1 colocarlas en un lugar donde se pueden editar f\u00e1cilmente.", + "LabelDownloadInternetMetadata": "Descargar imagenes y metadata de internet", + "LabelDownloadInternetMetadataHelp": "El Servidor Emby puede bajar informaci\u00f3n acerca de sus medios para habilitar los contenidos de alta calidad.", + "TabPreferences": "Preferencias", + "TabPassword": "Contrase\u00f1a", + "TabLibraryAccess": "Acceso a biblioteca", + "TabAccess": "Acceso", + "TabImage": "imagen", + "TabProfile": "Perfil", + "TabMetadata": "Metadatos", + "TabImages": "Im\u00e1genes", + "TabNotifications": "Notificaciones", + "TabCollectionTitles": "T\u00edtulos", + "HeaderDeviceAccess": "Acceso de Equipo", + "OptionEnableAccessFromAllDevices": "Habilitar acceso de cualquier equipo", + "OptionEnableAccessToAllChannels": "Habilitar acceso a todos los canales", + "OptionEnableAccessToAllLibraries": "Habilitar acceso a todas las bibliotecas", + "DeviceAccessHelp": "Esto solo aplica a equipos que puedan ser singularmente identificados y no prevendr\u00e1 acceso al navegador. Filtrar el acceso de equipos del usuario les prevendr\u00e1 que usen nuevos equipos hasta que sean aprobados aqui.", + "LabelDisplayMissingEpisodesWithinSeasons": "Mostar episodios no disponibles en temporadas", + "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar episodios a\u00fan no emitidos en temporadas", + "HeaderVideoPlaybackSettings": "Ajustes de Reproducci\u00f3n de Video", + "HeaderPlaybackSettings": "Ajustes de reproducci\u00f3n", + "LabelAudioLanguagePreference": "Preferencia de idioma de audio", + "LabelSubtitleLanguagePreference": "Preferencia de idioma de subtitulos", "OptionDefaultSubtitles": "Por defecto", - "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de registro muy grandes y s\u00f3lo se recomienda cuando sea necesario para solucionar problemas.", - "LabelEnableHttps": "Reportar el https como una direccion externa", - "HeaderUsers": "Usuarios", "OptionOnlyForcedSubtitles": "S\u00f3lo subt\u00edtulos forzados", - "HeaderFilters": "Filtros:", "OptionAlwaysPlaySubtitles": "Mostrar siempre subt\u00edtulos", - "LabelEnableHttpsHelp": "Si es habilitado, el servidor reportara un enlaze https a los clientes como una direccion externa.", - "ButtonFilter": "Filtro", + "OptionNoSubtitles": "Sin subt\u00edtulos", "OptionDefaultSubtitlesHelp": "Los subt\u00edtulos que concuerden con la preferencia de idioma se cargar\u00e1n cuando el audio est\u00e9 en un idioma extranjero.", - "OptionFavorite": "Favoritos", "OptionOnlyForcedSubtitlesHelp": "S\u00f3lo se cargar\u00e1n los subt\u00edtulos marcados como forzados.", - "LabelHttpsPort": "N\u00famero de puerto local de https:", - "OptionLikes": "Me gusta", "OptionAlwaysPlaySubtitlesHelp": "Los subt\u00edtulos que concuerden con la preferencia de idioma se cargar\u00e1n independientemente del idioma de audio.", - "OptionDislikes": "No me gusta", "OptionNoSubtitlesHelp": "Los subt\u00edtulos no se cargar\u00e1n de forma predeterminada.", - "LabelHttpsPortHelp": "N\u00famero de puerto al que el servidor de tcp de Emby debe de ser enlazado.", + "TabProfiles": "Perfiles", + "TabSecurity": "Seguridad", + "ButtonAddUser": "Agregar Usuario", + "ButtonAddLocalUser": "Agregar usuario local", + "ButtonInviteUser": "Invitar usuario", + "ButtonSave": "Grabar", + "ButtonResetPassword": "Reiniciar Contrase\u00f1a", + "LabelNewPassword": "Nueva Contrase\u00f1a:", + "LabelNewPasswordConfirm": "Confirmaci\u00f3n de contrase\u00f1a nueva:", + "HeaderCreatePassword": "Crear Contrase\u00f1a", + "LabelCurrentPassword": "Contrase\u00f1a actual", + "LabelMaxParentalRating": "M\u00e1xima clasificaci\u00f3n permitida", + "MaxParentalRatingHelp": "El contenido con clasificaci\u00f3n parental superior se ocultar\u00e1 para este usuario.", + "LibraryAccessHelp": "Seleccione las carpetas de medios para compartir con este usuario. Los administradores podr\u00e1n editar todas las carpetas usando el gestor de metadata.", + "ChannelAccessHelp": "Seleccione los canales para compartir con este usuario. Los administradores podr\u00e1n editar todos los canales mediante el gestor de metadatos.", + "ButtonDeleteImage": "Borrar imagen", + "LabelSelectUsers": "Seleccionar usuarios:", + "ButtonUpload": "Subir", + "HeaderUploadNewImage": "Subir nueva imagen", + "LabelDropImageHere": "Poner imagen aqui", + "ImageUploadAspectRatioHelp": "Se Recomienda una Proporci\u00f3n de Aspecto 1:1. Solo JPG\/PNG", + "MessageNothingHere": "Nada aqu\u00ed.", + "MessagePleaseEnsureInternetMetadata": "Por favor aseg\u00farese que la descarga de metadata de internet esta habilitada", + "TabSuggested": "Sugerencia", + "TabSuggestions": "Sugerencias", + "TabLatest": "Novedades", + "TabUpcoming": "Pr\u00f3ximos", + "TabShows": "Programas", + "TabEpisodes": "Episodios", + "TabGenres": "G\u00e9neros", + "TabPeople": "Gente", + "TabNetworks": "redes", + "HeaderUsers": "Usuarios", + "HeaderFilters": "Filtros:", + "ButtonFilter": "Filtro", + "OptionFavorite": "Favoritos", + "OptionLikes": "Me gusta", + "OptionDislikes": "No me gusta", "OptionActors": "Actores", - "TangibleSoftwareMessage": "Utilizamos convertidores Java\/C# de Tangible Solutions a trav\u00e9s de una licencia donada.", "OptionGuestStars": "Estrellas invitadas", - "HeaderCredits": "Cr\u00e9ditos", "OptionDirectors": "Directores", - "TabCollections": "Colecciones", "OptionWriters": "Guionistas", - "TabFavorites": "Favoritos", "OptionProducers": "Productores", - "TabMyLibrary": "Mi biblioteca", - "HeaderServices": "Servicios", "HeaderResume": "Continuar", - "LabelCustomizeOptionsPerMediaType": "Personalizar por tipo de medio:", "HeaderNextUp": "Siguiendo", "NoNextUpItemsMessage": "Nada encontrado. \u00a1Comienza a ver tus programas!", "HeaderLatestEpisodes": "Ultimos episodios", @@ -219,42 +200,32 @@ "TabMusicVideos": "Videos Musicales", "ButtonSort": "Ordenar", "HeaderSortBy": "Ordenar por:", - "OptionEnableAccessToAllChannels": "Habilitar acceso a todos los canales", "HeaderSortOrder": "Ordenado por:", - "LabelAutomaticUpdates": "Habilite actualizaciones automaticas", "OptionPlayed": "Reproducido", - "LabelFanartApiKey": "Clave personal de API:", "OptionUnplayed": "No reproducido", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascendente", "OptionDescending": "Descendente", "OptionRuntime": "Tiempo", + "OptionReleaseDate": "Fecha de Lanzamiento", "OptionPlayCount": "N\u00famero de reproducc.", "OptionDatePlayed": "Fecha de reproducci\u00f3n", - "HeaderRepeatingOptions": "Opciones Repetitivas", "OptionDateAdded": "A\u00f1adido el", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artista", - "HeaderTermsOfService": "T\u00e9rminos de servicios de Emby", - "LabelCustomCss": "css modificado:", - "OptionDetectArchiveFilesAsMedia": "Detectar archivos come medios", "OptionArtist": "Artista", - "MessagePleaseAcceptTermsOfService": "Por favor aceptar los terminos de servicios y politica de privacidad antes de continuar.", - "OptionDetectArchiveFilesAsMediaHelp": "Si es habilitado, archivos con extensiones .rar y .zip ser\u00e1n detectados como medios.", "OptionAlbum": "\u00c1lbum", - "OptionIAcceptTermsOfService": "Acepto los terminos de servicio", - "LabelCustomCssHelp": "Aplique su propio css modificado a la interfaz de la web.", "OptionTrackName": "Nombre de pista", - "ButtonPrivacyPolicy": "Politica de privacidad", - "LabelSelectUsers": "Seleccionar usuarios:", "OptionCommunityRating": "Valoraci\u00f3n comunidad", - "ButtonTermsOfService": "Terminos de servicios", "OptionNameSort": "Nombre", + "OptionFolderSort": "Carpetas", "OptionBudget": "Presupuesto", - "OptionHideUserFromLoginHelp": "\u00datil para privado o cuentas de administradores escondidos. El usuario tendr\u00e1 que acceder entrando su nombre de usuario y contrase\u00f1a manualmente.", "OptionRevenue": "Recaudaci\u00f3n", "OptionPoster": "Poster", + "OptionPosterCard": "Cartel", + "OptionBackdrop": "Imagen de fondo", "OptionTimeline": "L\u00ednea de tiempo", + "OptionThumb": "Miniatura", + "OptionThumbCard": "Cartel postal", + "OptionBanner": "Banner", "OptionCriticRating": "Valoraci\u00f3n cr\u00edtica", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Se puede continuar", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Programar tarea", "TabMyPlugins": "Mis Plugins", "TabCatalog": "Cat\u00e1logo", - "ThisWizardWillGuideYou": "Este asistente lo guiar\u00e1 por el proceso de instalaci\u00f3n. Para comenzar, seleccione su idioma preferido.", - "TellUsAboutYourself": "D\u00edganos acerca de usted", + "TitlePlugins": "Complementos", "HeaderAutomaticUpdates": "Actualizaciones autom\u00e1ticas", - "LabelYourFirstName": "Su primer nombre:", - "LabelPinCode": "C\u00f3digo PIN:", - "MoreUsersCanBeAddedLater": "M\u00e1s usuarios pueden agregarse m\u00e1s tarde en el panel de control.", "HeaderNowPlaying": "Reproduciendo ahora", - "UserProfilesIntro": "Emby incluye soporte interno para perfiles de usuarios, permitiendo que cada usuario tenga sus propios ajustes, estado de reproducci\u00f3n y control parental.", "HeaderLatestAlbums": "\u00dcltimos Albums", - "LabelWindowsService": "Servicio de Windows", "HeaderLatestSongs": "\u00daltimas canciones", - "ButtonExit": "Salir", - "ButtonConvertMedia": "Convertir medios", - "AWindowsServiceHasBeenInstalled": "Un servicio de Windows se ha instalado", "HeaderRecentlyPlayed": "Reproducido recientemente", - "LabelTimeLimitHours": "Limite de tiempo (horas):", - "WindowsServiceIntro1": "El Servidor Emby normalmente se inicia como una aplicacion con un icono en la bandeja, pero si usted prefiere que inicie como un servicio de fondo, entonces puede ser iniciado desde los servicios de Windows en el panel de control.", "HeaderFrequentlyPlayed": "Reproducido frequentemente", - "ButtonOrganize": "Organizar", - "WindowsServiceIntro2": "Si se utiliza el servicio de Windows, tenga en cuenta que no se puede ejecutar al mismo tiempo que el icono de la bandeja, por lo que tendr\u00e1 que salir de la bandeja con el fin de ejecutar el servicio. Tambi\u00e9n tendr\u00e1 que ser configurado con privilegios administrativos a trav\u00e9s del panel de control del servicio. Tenga en cuenta que en este momento el servicio no es capaz de auto-actualizaci\u00f3n, por lo que las nuevas versiones requieren la interacci\u00f3n manual.", "DevBuildWarning": "Las actualizaciones en desarrollo no est\u00e1n convenientemente probadas. La aplicaci\u00f3n se puede bloquear y caracter\u00edsticas completas pueden no funcionar del todo.", - "HeaderGrownupsOnly": "Adultos solamente!", - "WizardCompleted": "Eso es todo lo que necesitamos por ahora. Emby a iniciado la colecci\u00f3n de su biblioteca digital. Vea algunos de nuestras aplicaciones, y despu\u00e9s haga clic Finalizar<\/b>para ver el Panel de Servidor<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Unace al equipo de desarrolladores", - "LabelConfigureSettings": "Configuraci\u00f3n de opciones", - "LabelEnableVideoImageExtraction": "Habilitar extracci\u00f3n de im\u00e1genes de video", - "DividerOr": "-- y --", - "OptionEnableAccessToAllLibraries": "Habilitar acceso a todas las bibliotecas", - "VideoImageExtractionHelp": "Para los v\u00eddeos que no dispongan de im\u00e1genes y que no podemos encontrar en Internet. Esto agregar\u00e1 un tiempo adicional para la exploraci\u00f3n inicial de bibliotecas, pero resultar\u00e1 en una presentaci\u00f3n m\u00e1s agradable.", - "LabelEnableChapterImageExtractionForMovies": "Extraer im\u00e1genes de cap\u00edtulos para pel\u00edculas", - "HeaderInstalledServices": "Servicios Instalados", - "LabelChapterImageExtractionForMoviesHelp": "Extraer imagenes de capitulos permitir\u00e1 a los usuarios ver escenas gr\u00e1ficas en la seleccion de men\u00fa. El proceso puede ser lento, cpu-intenso y puede requerir algunos gigabytes de espacio.", - "TitlePlugins": "Complementos", - "HeaderToAccessPleaseEnterEasyPinCode": "Para acceder, por favor introduzca su f\u00e1cil c\u00f3digo PIN.", - "LabelEnableAutomaticPortMapping": "Habilitar asignaci\u00f3n de puertos autom\u00e1tico", - "HeaderSupporterBenefits": "Beneficios del partidario", - "LabelEnableAutomaticPortMappingHelp": "UPnP permite la configuraci\u00f3n del router para acceso externo de forma f\u00e1cil y autom\u00e1tica. Esto puede no funcionar en algunos modelos de routers.", - "HeaderAvailableServices": "Servicios Disponibles", - "ButtonOk": "OK", - "KidsModeAdultInstruction": "Haga clic en el icono en la parte de abajo derecha para configurar o salir del modo de menores. Su codigo PIN es requerido.", - "ButtonCancel": "Cancelar", - "HeaderAddUser": "Agregar Usuario", - "HeaderSetupLibrary": "Configurar biblioteca de medios", - "MessageNoServicesInstalled": "No hay servicios instalados.", - "ButtonAddMediaFolder": "Agregar una carpeta de medios", - "ButtonConfigurePinCode": "Configurar contrase\u00f1a", - "LabelFolderType": "Tipo de carpeta:", - "LabelAddConnectSupporterHelp": "Para agregar a un usuario que no est\u00e1 en el listado, usted tiene primero que conectar su cuenta con Emby Connect desde la p\u00e1gina de perfil del usuario.", - "ReferToMediaLibraryWiki": "Consultar el wiki de la biblioteca de medios", - "HeaderAdultsReadHere": "Adultos Leer Aqui!", - "LabelCountry": "Pa\u00eds:", - "LabelLanguage": "Idioma:", - "HeaderPreferredMetadataLanguage": "Idioma preferido para metadata", - "LabelEnableEnhancedMovies": "Habilite presentaciones de peliculas mejoradas", - "LabelSaveLocalMetadata": "Guardar im\u00e1genes y metadata en las carpetas de medios", - "LabelSaveLocalMetadataHelp": "Guardar im\u00e1genes y metadata directamente en las carpetas de medios, permitir\u00e1 colocarlas en un lugar donde se pueden editar f\u00e1cilmente.", - "LabelDownloadInternetMetadata": "Descargar imagenes y metadata de internet", - "LabelEnableEnhancedMoviesHelp": "Cuando est\u00e9 habilitado, las peliculas seran mostradas como folderes para incluir trailers, extras, elenco y equipo, y otros contenidos relacionados.", - "HeaderDeviceAccess": "Acceso de Equipo", - "LabelDownloadInternetMetadataHelp": "El Servidor Emby puede bajar informaci\u00f3n acerca de sus medios para habilitar los contenidos de alta calidad.", - "OptionThumb": "Miniatura", - "LabelExit": "Salir", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visitar la comunidad", "LabelVideoType": "Tipo de video", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Est\u00e1ndar", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Habilitar acceso de cualquier equipo", - "LabelBrowseLibrary": "Navegar biblioteca", "LabelFeatures": "Caracter\u00edsticas", - "DeviceAccessHelp": "Esto solo aplica a equipos que puedan ser singularmente identificados y no prevendr\u00e1 acceso al navegador. Filtrar el acceso de equipos del usuario les prevendr\u00e1 que usen nuevos equipos hasta que sean aprobados aqui.", - "ChannelAccessHelp": "Seleccione los canales para compartir con este usuario. Los administradores podr\u00e1n editar todos los canales mediante el gestor de metadatos.", + "LabelService": "Servicio:", + "LabelStatus": "Estado:", + "LabelVersion": "Versi\u00f3n:", + "LabelLastResult": "\u00daltimo resultado:", "OptionHasSubtitles": "Subt\u00edtulos", - "LabelOpenLibraryViewer": "Abrir el visor de la biblioteca", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Reiniciar el servidor", "OptionHasThemeSong": "Banda sonora", - "LabelShowLogWindow": "Mostrar la ventana del log", "OptionHasThemeVideo": "Viideotema", - "LabelPrevious": "Anterior", "TabMovies": "Pel\u00edculas", - "LabelFinish": "Terminar", "TabStudios": "Estudios", - "FolderTypeMixed": "Contenido mezclado", - "LabelNext": "Siguiente", "TabTrailers": "Trailers", - "FolderTypeMovies": "Peliculas", - "LabelYoureDone": "Ha Terminado!", + "LabelArtists": "Artistas:", + "LabelArtistsHelp": "Separar multiples usando ;", "HeaderLatestMovies": "\u00daltimas pel\u00edculas", - "FolderTypeMusic": "Musica", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync requiere membres\u00eda de partidario", "HeaderLatestTrailers": "\u00daltimos trailers", - "FolderTypeAdultVideos": "Videos para adultos", "OptionHasSpecialFeatures": "Caracter\u00edsticas especiales", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "HeaderEnjoyDayTrial": "Disfrute 14 Dias Gratis de Prueba", "OptionImdbRating": "Valoraci\u00f3n IMDb", - "FolderTypeMusicVideos": "Videos Musicales", - "LabelFailed": "Error", "OptionParentalRating": "Clasificaci\u00f3n parental", - "FolderTypeHomeVideos": "Videos caseros", - "LabelSeries": "Series:", "OptionPremiereDate": "Fecha de estreno", - "FolderTypeGames": "Juegos", - "ButtonRefresh": "Refrescar", "TabBasic": "B\u00e1sico", - "FolderTypeBooks": "Libros", - "HeaderPlaybackSettings": "Ajustes de reproducci\u00f3n", "TabAdvanced": "Avanzado", - "FolderTypeTvShows": "TV", "HeaderStatus": "Estado", "OptionContinuing": "Continuando", "OptionEnded": "Finalizado", - "HeaderSync": "Sincronizar", - "TabPreferences": "Preferencias", "HeaderAirDays": "Dias al aire", - "OptionReleaseDate": "Fecha de Lanzamiento", - "TabPassword": "Contrase\u00f1a", - "HeaderEasyPinCode": "F\u00e1cil c\u00f3digo PIN:", "OptionSunday": "Domingo", - "LabelArtists": "Artistas:", - "TabLibraryAccess": "Acceso a biblioteca", - "TitleAutoOrganize": "Organizaci\u00f3n autom\u00e1tica", "OptionMonday": "Lunes", - "LabelArtistsHelp": "Separar multiples usando ;", - "TabImage": "imagen", - "TabActivityLog": "Log de actividad", "OptionTuesday": "Martes", - "ButtonAdvancedRefresh": "Actualizar Manualmente", - "TabProfile": "Perfil", - "HeaderName": "Nombre", "OptionWednesday": "Mi\u00e9rcoles", - "LabelDisplayMissingEpisodesWithinSeasons": "Mostar episodios no disponibles en temporadas", - "HeaderDate": "Fecha", "OptionThursday": "Jueves", - "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar episodios a\u00fan no emitidos en temporadas", - "HeaderSource": "Origen", "OptionFriday": "Viernes", - "ButtonAddLocalUser": "Agregar usuario local", - "HeaderVideoPlaybackSettings": "Ajustes de Reproducci\u00f3n de Video", - "HeaderDestination": "Destino", "OptionSaturday": "S\u00e1bado", - "LabelAudioLanguagePreference": "Preferencia de idioma de audio", - "HeaderProgram": "Programa", "HeaderManagement": "administraci\u00f3n", - "OptionMissingTmdbId": "Falta Tmdb Id", - "LabelSubtitleLanguagePreference": "Preferencia de idioma de subtitulos", - "HeaderClients": "Clientes", + "LabelManagement": "administraci\u00f3n:", "OptionMissingImdbId": "Falta IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completado", "OptionMissingTvdbId": "Falta TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Gu\u00eda de inicio r\u00e1pido", - "TabProfiles": "Perfiles", "OptionMissingOverview": "Falta argumento", + "OptionFileMetadataYearMismatch": "Archivo\/Metadata a\u00f1os no coinciden", + "TabGeneral": "General", + "TitleSupport": "Soporte", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Acerca de", + "TabSupporterKey": "Clave de Seguidor", + "TabBecomeSupporter": "Hazte Seguidor", + "ProjectHasCommunity": "Emby tiene una pr\u00f3spera comunidad de usuarios y contribuidores.", + "CheckoutKnowledgeBase": "Vea nuestra base de conocimientos que le ayudar\u00e1 a obtener lo mejor de Emby.", + "SearchKnowledgeBase": "Buscar en la base de conocimiento", + "VisitTheCommunity": "Visitar la comunidad", + "VisitProjectWebsite": "Visite la pagina de Emby", + "VisitProjectWebsiteLong": "Visite la p\u00e1gina Emby para obtener lo m\u00e1s reciente y mantenerse al d\u00eda con el blog de desarrolladores.", + "OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesi\u00f3n", + "OptionHideUserFromLoginHelp": "\u00datil para privado o cuentas de administradores escondidos. El usuario tendr\u00e1 que acceder entrando su nombre de usuario y contrase\u00f1a manualmente.", + "OptionDisableUser": "Deshabilitar este usuario", + "OptionDisableUserHelp": "Si est\u00e1 deshabilitado, el servidor no aceptar\u00e1 conexiones de este usuario. Si existen conexiones de este usuario, finalizar\u00e1n inmediatamente.", + "HeaderAdvancedControl": "Control avanzado", + "LabelName": "Nombre:", + "ButtonHelp": "Ayuda", + "OptionAllowUserToManageServer": "Permite a este usuario administrar el servidor", + "HeaderFeatureAccess": "Permisos de acceso", + "OptionAllowMediaPlayback": "Permitir la reproducci\u00f3n de medios", + "OptionAllowBrowsingLiveTv": "Permitir acceso a la TV en vivo", + "OptionAllowDeleteLibraryContent": "Permitir la supresi\u00f3n de medios", + "OptionAllowManageLiveTv": "Habilitar la administraci\u00f3n de grabaci\u00f3n de TV en vivo", + "OptionAllowRemoteControlOthers": "Habilitar el control remote de otros usuarios", + "OptionAllowRemoteSharedDevices": "Habilitar el control remote de otros equipos compartidos", + "OptionAllowRemoteSharedDevicesHelp": "Los equipos DLNA son considerados compartidos hasta que un usuario empiece a controlarlo.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Control Remoto", + "OptionMissingTmdbId": "Falta Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metavalor", - "HeaderSyncJobInfo": "Trabajo de Sync", - "TabSecurity": "Seguridad", - "HeaderVideo": "Video", - "LabelSkipped": "Omitido", - "OptionFileMetadataYearMismatch": "Archivo\/Metadata a\u00f1os no coinciden", "ButtonSelect": "Seleccionar", - "ButtonAddUser": "Agregar Usuario", - "HeaderEpisodeOrganization": "Organizaci\u00f3n de episodios", - "TabGeneral": "General", "ButtonGroupVersions": "Versiones de Grupo", - "TabGuide": "Gu\u00eda", - "ButtonSave": "Grabar", - "TitleSupport": "Soporte", + "ButtonAddToCollection": "Agregar a la colecci\u00f3n", "PismoMessage": "Usando Pismo File Mount a trav\u00e9s de una licencia donada.", - "TabChannels": "Canales", - "ButtonResetPassword": "Reiniciar Contrase\u00f1a", - "LabelSeasonNumber": "Temporada n\u00famero:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizamos convertidores Java\/C# de Tangible Solutions a trav\u00e9s de una licencia donada.", + "HeaderCredits": "Cr\u00e9ditos", "PleaseSupportOtherProduces": "Por favor apoye otros productos gratuitos que utilizamos:", - "HeaderChannels": "Canales", - "LabelNewPassword": "Nueva Contrase\u00f1a:", - "LabelEpisodeNumber": "N\u00famero de cap\u00edtulo:", - "TabAbout": "Acerca de", "VersionNumber": "Versi\u00f3n {0}", - "TabRecordings": "Grabaciones", - "LabelNewPasswordConfirm": "Confirmaci\u00f3n de contrase\u00f1a nueva:", - "LabelEndingEpisodeNumber": "N\u00famero episodio final:", - "TabSupporterKey": "Clave de Seguidor", "TabPaths": "Ruta", - "TabScheduled": "Programado", - "HeaderCreatePassword": "Crear Contrase\u00f1a", - "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio", - "TabBecomeSupporter": "Hazte Seguidor", "TabServer": "Servidor", - "TabSeries": "Series", - "LabelCurrentPassword": "Contrase\u00f1a actual", - "HeaderSupportTheTeam": "Apoye al equipo de Emby", "TabTranscoding": "Transcodificaci\u00f3n", - "ButtonCancelRecording": "Cancelar grabaci\u00f3n", - "LabelMaxParentalRating": "M\u00e1xima clasificaci\u00f3n permitida", - "LabelSupportAmount": "Importe (USD)", - "CheckoutKnowledgeBase": "Vea nuestra base de conocimientos que le ayudar\u00e1 a obtener lo mejor de Emby.", "TitleAdvanced": "Avanzado", - "HeaderPrePostPadding": "Pre\/post grabaci\u00f3n extra", - "MaxParentalRatingHelp": "El contenido con clasificaci\u00f3n parental superior se ocultar\u00e1 para este usuario.", - "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.", - "SearchKnowledgeBase": "Buscar en la base de conocimiento", "LabelAutomaticUpdateLevel": "Actualizaci\u00f3n de nivel autom\u00e1tica", - "LabelPrePaddingMinutes": "Minutos previos extras:", - "LibraryAccessHelp": "Seleccione las carpetas de medios para compartir con este usuario. Los administradores podr\u00e1n editar todas las carpetas usando el gestor de metadata.", - "ButtonEnterSupporterKey": "Entre la Key de Seguidor", - "VisitTheCommunity": "Visitar la comunidad", + "OptionRelease": "Release Oficial", + "OptionBeta": "Beta", + "OptionDev": "Desarrollo (inestable)", "LabelAllowServerAutoRestart": "Permitir al servidor reiniciarse autom\u00e1ticamente para aplicar las actualizaciones", - "OptionPrePaddingRequired": "Minutos previos extras requeridos para grabar.", - "OptionNoSubtitles": "Sin subt\u00edtulos", - "DonationNextStep": "Cuando haya terminado, vuelva y entre su key de seguidor que recibir\u00e1 por email.", "LabelAllowServerAutoRestartHelp": "El servidor s\u00f3lo se reiniciar\u00e1 durante periodos de reposo, cuando no hayan usuarios activos.", - "LabelPostPaddingMinutes": "Minutos extras post grabaci\u00f3n:", - "AutoOrganizeHelp": "Organizaci\u00f3n autom\u00e1tica monitoriza sus carpetas de descarga en busca de nuevos archivos y los mueve a sus directorios de medios.", "LabelEnableDebugLogging": "Habilitar entrada de debug", - "OptionPostPaddingRequired": "Minutos post grabaci\u00f3n extras requeridos para grabar.", - "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo a\u00f1adir\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.", - "OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesi\u00f3n", "LabelRunServerAtStartup": "Arrancar servidor al iniciar", - "HeaderWhatsOnTV": "Que hacen ahora", - "ButtonNew": "Nuevo", - "OptionEnableEpisodeOrganization": "Activar la organizaci\u00f3n de nuevos episodios", - "OptionDisableUser": "Deshabilitar este usuario", "LabelRunServerAtStartupHelp": "Esto iniciar\u00e1 como aplicaci\u00f3n en el inicio. Para iniciar en modo servicio de windows, desmarque esto e inicie el servicio desde el panel de control de windows. Tenga en cuenta que no es posible inciar de las dos formas a la vez, usted debe salir de la aplicaci\u00f3n para iniciar el servicio.", - "HeaderUpcomingTV": "Pr\u00f3ximos programas", - "TabMetadata": "Metadatos", - "LabelWatchFolder": "Ver carpeta:", - "OptionDisableUserHelp": "Si est\u00e1 deshabilitado, el servidor no aceptar\u00e1 conexiones de este usuario. Si existen conexiones de este usuario, finalizar\u00e1n inmediatamente.", "ButtonSelectDirectory": "Seleccionar directorio", - "TabStatus": "Estado", - "TabImages": "Im\u00e1genes", - "LabelWatchFolderHelp": "El servidor sondear\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".", - "HeaderAdvancedControl": "Control avanzado", "LabelCustomPaths": "Especificar las rutas personalizadas que desee. D\u00e9jelo en blanco para usar las rutas por defecto.", - "TabSettings": "Opciones", - "TabCollectionTitles": "T\u00edtulos", - "TabPlaylist": "Lista de reproducci\u00f3n", - "ButtonViewScheduledTasks": "Ver tareas programadas", - "LabelName": "Nombre:", "LabelCachePath": "Ruta del cach\u00e9:", - "ButtonRefreshGuideData": "Actualizar datos de la gu\u00eda", - "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):", - "OptionAllowUserToManageServer": "Permite a este usuario administrar el servidor", "LabelCachePathHelp": "Especifique una localizaci\u00f3n personalizada para los archivos de cache para el servidor, como imagenes.", - "OptionPriority": "Prioridad", - "ButtonRemove": "Quitar", - "LabelMinFileSizeForOrganizeHelp": "Los archivos menores de este tama\u00f1po se ignorar\u00e1n.", - "HeaderFeatureAccess": "Permisos de acceso", "LabelImagesByNamePath": "Ruta de im\u00e1genes:", - "OptionRecordOnAllChannels": "Grabar en cualquier canal", - "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que desee agrupar dentro de esta colecci\u00f3n.", - "TabAccess": "Acceso", - "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:", - "OptionAllowMediaPlayback": "Permitir la reproducci\u00f3n de medios", "LabelImagesByNamePathHelp": "Especifique una localizaci\u00f3n personalizada para bajar imagenes de actor, genero y estudio.", - "OptionRecordAnytime": "Grabar a cualquier hora", - "HeaderAddTitles": "A\u00f1adir T\u00edtulos", - "OptionAllowBrowsingLiveTv": "Permitir acceso a la TV en vivo", "LabelMetadataPath": "Ruta de Metadata:", - "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos episodios", - "LabelEnableDlnaPlayTo": "Actvar la reproducci\u00f3n en DLNAi", - "OptionAllowDeleteLibraryContent": "Permitir la supresi\u00f3n de medios", "LabelMetadataPathHelp": "Especifique una localizaci\u00f3n personalizada para bajar imagenes y metadatos, si no son guardadas dentro de las carpetas de los medios.", + "LabelTranscodingTempPath": "Ruta temporal de transcodificaci\u00f3n:", + "LabelTranscodingTempPathHelp": "Esta carpeta contiene achivos en uso por el transcodificador. Especificar una ruta personalizada, o dejarla vac\u00eda para usar la ruta predeterminada en la carpeta de datos del servidor.", + "TabBasics": "Basicos", + "TabTV": "TV", + "TabGames": "Juegos", + "TabMusic": "M\u00fasica", + "TabOthers": "Otros", + "HeaderExtractChapterImagesFor": "Extraer im\u00e1genes de cap\u00edtulos para:", + "OptionMovies": "Pel\u00edculas", + "OptionEpisodes": "Episodios", + "OptionOtherVideos": "Otros v\u00eddeos", + "TitleMetadata": "Metadatos", + "LabelAutomaticUpdates": "Habilite actualizaciones automaticas", + "LabelAutomaticUpdatesTmdb": "Activar actualizaciones autom\u00e1ticas desde TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Activar actualizaciones autom\u00e1ticas desde TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a fanart.tv. Im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LabelAutomaticUpdatesTmdbHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a TheMovieDB.org. Im\u00e1genes existentes no ser\u00e1n reemplazados.", + "LabelAutomaticUpdatesTvdbHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a TheTVDB.com. Im\u00e1genes existentes no ser\u00e1n reemplazados.", + "LabelFanartApiKey": "Clave personal de API:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelMetadataDownloadLanguage": "Idioma preferido visualizado", + "ButtonAutoScroll": "Auto-desplazamiento", + "LabelImageSavingConvention": "Sistema de guardado de im\u00e1genes:", + "LabelImageSavingConventionHelp": "Emby reconoce im\u00e1genes de la mayor\u00eda de las principales aplicaciones de medios. Seleccionar su convenci\u00f3n de descarga es \u00fatil si tambi\u00e9n usa otros productos.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Est\u00e1ndar - MB2", + "ButtonSignIn": "Registrarse", + "TitleSignIn": "Registrarse", + "HeaderPleaseSignIn": "Por favor reg\u00edstrese", + "LabelUser": "Usuario:", + "LabelPassword": "Contrase\u00f1a:", + "ButtonManualLogin": "Acceder manualmente", + "PasswordLocalhostMessage": "No se necesitan contrase\u00f1as al iniciar sesi\u00f3n desde localhost.", + "TabGuide": "Gu\u00eda", + "TabChannels": "Canales", + "TabCollections": "Colecciones", + "HeaderChannels": "Canales", + "TabRecordings": "Grabaciones", + "TabScheduled": "Programado", + "TabSeries": "Series", + "TabFavorites": "Favoritos", + "TabMyLibrary": "Mi biblioteca", + "ButtonCancelRecording": "Cancelar grabaci\u00f3n", + "HeaderPrePostPadding": "Pre\/post grabaci\u00f3n extra", + "LabelPrePaddingMinutes": "Minutos previos extras:", + "OptionPrePaddingRequired": "Minutos previos extras requeridos para grabar.", + "LabelPostPaddingMinutes": "Minutos extras post grabaci\u00f3n:", + "OptionPostPaddingRequired": "Minutos post grabaci\u00f3n extras requeridos para grabar.", + "HeaderWhatsOnTV": "Que hacen ahora", + "HeaderUpcomingTV": "Pr\u00f3ximos programas", + "TabStatus": "Estado", + "TabSettings": "Opciones", + "ButtonRefreshGuideData": "Actualizar datos de la gu\u00eda", + "ButtonRefresh": "Refrescar", + "ButtonAdvancedRefresh": "Actualizar Manualmente", + "OptionPriority": "Prioridad", + "OptionRecordOnAllChannels": "Grabar en cualquier canal", + "OptionRecordAnytime": "Grabar a cualquier hora", + "OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos episodios", + "HeaderRepeatingOptions": "Opciones Repetitivas", "HeaderDays": "D\u00edas", + "HeaderActiveRecordings": "Grabaciones activas", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Servicios", + "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": "Agregar Activador", + "HeaderAddScheduledTaskTrigger": "Agregar Activador", + "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.", + "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": "Emby puede detectar equipos dentro de su red y puede ofrecer la habilidad de controlarlos remotamente.", - "OptionAllowManageLiveTv": "Habilitar la administraci\u00f3n de grabaci\u00f3n de TV en vivo", - "LabelTranscodingTempPath": "Ruta temporal de transcodificaci\u00f3n:", - "HeaderActiveRecordings": "Grabaciones activas", "LabelEnableDlnaDebugLogging": "Activar el registro de depuraci\u00f3n de DLNA", - "OptionAllowRemoteControlOthers": "Habilitar el control remote de otros usuarios", - "LabelTranscodingTempPathHelp": "Esta carpeta contiene achivos en uso por el transcodificador. Especificar una ruta personalizada, o dejarla vac\u00eda para usar la ruta predeterminada en la carpeta de datos del servidor.", - "HeaderLatestRecordings": "\u00daltimas grabaciones", "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de registro de gran tama\u00f1o y s\u00f3lo debe ser utilizado cuando sea necesario para solucionar problemas.", - "TabBasics": "Basicos", - "HeaderAllRecordings": "Todas la grabaciones", "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de detecci\u00f3n de cliente (segundos)", - "LabelEnterConnectUserName": "Nombre de usuario o email:", - "TabTV": "TV", - "LabelService": "Servicio:", - "ButtonPlay": "Reproducir", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duraci\u00f3n in segundos entre la b\u00fasqueda SSDP hechas por Emby.", - "LabelEnterConnectUserNameHelp": "Este es su nombre de usuario y contrase\u00f1a para la cuenta de Emby en linea.", - "TabGames": "Juegos", - "LabelStatus": "Estado:", - "ButtonEdit": "Editar", "HeaderCustomDlnaProfiles": "Perfiles personalizados", - "TabMusic": "M\u00fasica", - "LabelVersion": "Versi\u00f3n:", - "ButtonRecord": "Grabar", "HeaderSystemDlnaProfiles": "Perfiles del sistema", - "TabOthers": "Otros", - "LabelLastResult": "\u00daltimo resultado:", - "ButtonDelete": "Borrar", "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.", - "HeaderExtractChapterImagesFor": "Extraer im\u00e1genes de cap\u00edtulos para:", - "OptionRecordSeries": "Grabar serie", "SystemDlnaProfilesHelp": "El perfil del Sistema es solo lectura. Cambios al perfil del sistema seran guardados en un perfil nuevo modificado.", - "OptionMovies": "Pel\u00edculas", - "HeaderDetails": "Detalles", "TitleDashboard": "Panel de control", - "OptionEpisodes": "Episodios", "TabHome": "Inicio", - "OptionOtherVideos": "Otros v\u00eddeos", "TabInfo": "Info", - "TitleMetadata": "Metadatos", "HeaderLinks": "Enlaces", "HeaderSystemPaths": "Rutas del sistema", - "LabelAutomaticUpdatesTmdb": "Activar actualizaciones autom\u00e1ticas desde TheMovieDB.org", "LinkCommunity": "Comunidad", - "LabelAutomaticUpdatesTvdb": "Activar actualizaciones autom\u00e1ticas desde TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a fanart.tv. Im\u00e1genes existentes no ser\u00e1n reemplazadas.", + "LinkApi": "API", "LinkApiDocumentation": "Documentaci\u00f3n API", - "LabelAutomaticUpdatesTmdbHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a TheMovieDB.org. Im\u00e1genes existentes no ser\u00e1n reemplazados.", "LabelFriendlyServerName": "Nombre informal del servidor:", - "LabelAutomaticUpdatesTvdbHelp": "Si est\u00e1 activado, las nuevas im\u00e1genes se descargan autom\u00e1ticamente a medida que se a\u00f1aden a TheTVDB.com. Im\u00e1genes existentes no ser\u00e1n reemplazados.", - "OptionFolderSort": "Carpetas", "LabelFriendlyServerNameHelp": "Este nombre se podr\u00e1 utilizar para identificar este servidor. Si se deja en blanco se usar\u00e1 el nombre del ordenador.", - "LabelConfigureServer": "Configurar Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Imagen de fondo", "LabelPreferredDisplayLanguage": "Idioma preferido visualizado", - "LabelMetadataDownloadLanguage": "Idioma preferido visualizado", - "TitleLiveTV": "Tv en vivo", "LabelPreferredDisplayLanguageHelp": "Traducir Emby es un proyecto continuo que no ha sido completado.", - "ButtonAutoScroll": "Auto-desplazamiento", - "LabelNumberOfGuideDays": "N\u00famero de d\u00edas de descarga de la gu\u00eda.", "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo usted puede contribuir.", + "HeaderNewCollection": "Nueva colecci\u00f3n", + "ButtonSubmit": "Enviar", + "ButtonCreate": "Crear", + "LabelCustomCss": "css modificado:", + "LabelCustomCssHelp": "Aplique su propio css modificado a la interfaz de la web.", + "LabelLocalHttpServerPortNumber": "Numero local de puerto de http:", + "LabelLocalHttpServerPortNumberHelp": "N\u00famero de puerto al que el servidor de http de Emby debe de ser enlazado.", + "LabelPublicHttpPort": "N\u00famero de puerto p\u00fablico de http:", + "LabelPublicHttpPortHelp": "El n\u00famero de puerto p\u00fablico que debe ser enlazado al puerto local http:", + "LabelPublicHttpsPort": "N\u00famero de puerto p\u00fablico de https:", + "LabelPublicHttpsPortHelp": "El n\u00famero de puerto p\u00fablico que debe ser enlazado al puerto local https:", + "LabelEnableHttps": "Reportar el https como una direccion externa", + "LabelEnableHttpsHelp": "Si es habilitado, el servidor reportara un enlaze https a los clientes como una direccion externa.", + "LabelHttpsPort": "N\u00famero de puerto local de https:", + "LabelHttpsPortHelp": "N\u00famero de puerto al que el servidor de tcp de Emby debe de ser enlazado.", + "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:", + "LabelEnableAutomaticPortMap": "Habilitar asignaci\u00f3n de puertos autom\u00e1tico", + "LabelEnableAutomaticPortMapHelp": "UPnP permite la configuraci\u00f3n del router para acceso externo de forma f\u00e1cil y autom\u00e1tica. Esto puede no funcionar en algunos modelos de routers.", + "LabelExternalDDNS": "Direccion externa del WAN:", + "LabelExternalDDNSHelp": "Ponga aqui su DNS dinamico si tiene uno. las aplicaciones de Emby lo usar\u00e1n para conectarse remotamente. Deje en blanco para detecci\u00f3n autom\u00e1tica.", + "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:", + "LabelEndingEpisodeNumber": "N\u00famero episodio final:", + "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio", + "HeaderSupportTheTeam": "Apoye al equipo de Emby", + "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", + "HeaderHelpImproveProject": "Ayude a mejorar a Emby", + "HeaderRunningTasks": "Tareas en ejecuci\u00f3n", + "HeaderActiveDevices": "Dispositivos activos", + "HeaderPendingInstallations": "Instalaciones pendientes", + "HeaderServerInformation": "Informaci\u00f3n del servidor", "ButtonRestartNow": "Reiniciar ahora", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Se ha instalado la actualizaci\u00f3n de la aplicaci\u00f3n", "ButtonRestart": "Reiniciar", - "LabelChannelDownloadPath": "Ruta para descargas de contenidos de canales:", - "NotificationOptionPluginUpdateInstalled": "Se ha instalado la actualizaci\u00f3n del plugin", "ButtonShutdown": "Apagar", - "LabelChannelDownloadPathHelp": "Especifique una ruta personalizada si lo desea. D\u00e9jelo en blanco para utilizar un carpeta interna del programa.", - "NotificationOptionPluginInstalled": "Plugin instalado", "ButtonUpdateNow": "Actualizar ahora", - "LabelChannelDownloadAge": "Borrar contenido despues de: (d\u00edas)", - "NotificationOptionPluginUninstalled": "Plugin desinstalado", + "TabHosting": "Servidor", "PleaseUpdateManually": "Por favor cierre el servidor y actualice manualmente.", - "LabelChannelDownloadAgeHelp": "Todo contenido descargado anterior se borrar\u00e1. Continuar\u00e1 estando disponible v\u00eda streaming de internet.", - "NotificationOptionTaskFailed": "La tarea programada ha fallado", "NewServerVersionAvailable": "Una nueva versi\u00f3n de Emby est\u00e1 disponible!", - "ChannelSettingsFormHelp": "Instale canales como Trailers y Vimeo desde el cat\u00e1logo de plugins.", - "NotificationOptionInstallationFailed": "Fallo en la instalaci\u00f3n", "ServerUpToDate": "El Servidor Emby est\u00e1 actualizado", + "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": "Transferir Clave", + "LabelOldSupporterKey": "Antigua clave de seguidor", + "LabelNewSupporterKey": "Nueva clave de seguidor", + "HeaderMultipleKeyLinking": "Trasferir a una Clave Nueva", + "MultipleKeyLinkingHelp": "Si usted recivio una nueva clave de partidiario, use este formulario para trasferir la registracion de la clave vieja a la nueva.", + "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": "Agregue su clave de partidiario para empezar a disfrutar beneficios adicionales que la comunidad a creado para Emby.", + "MessageInvalidKey": "Clave de partidiario no se encuentra o es invalido.", + "ErrorMessageInvalidKey": "Para que cualquier contenido premium sea registrado, usted debe ser un pardidiario de Emby. Porfavor done y ayude a continuar con el desarrollo del producto principal. Gracias.", + "HeaderDisplaySettings": "Opciones de pantalla", + "TabPlayTo": "Reproducir en", + "LabelEnableDlnaServer": "Habilitar servidor Dlna", + "LabelEnableDlnaServerHelp": "Permite que los aparatos con tecnologia UPnP en su red local pudan acceder los contenidos en Emby.", + "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": "Reproduccion de video a iniciado", + "NotificationOptionAudioPlayback": "Reproduccion de audio a iniciado", + "NotificationOptionGamePlayback": "Reproduccion de video juego a iniciado", + "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)", + "NotificationOptionCameraImageUploaded": "Imagen de camara se a carcado", + "NotificationOptionUserLockedOut": "Usuario bloqueado", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", + "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", - "LabelComponentsUpdated": "Los componentes siguientes se han instalado o actualizado:", + "CategoryApplication": "Aplicaci\u00f3n", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "T\u00edtulo del mensaje:", - "ButtonNext": "Siguiente", - "MessagePleaseRestartServerToFinishUpdating": "Reinicie el servidor para acabar de aplicar las actualizaciones.", "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": "Pistas de Audio", + "ButtonPreviousTrack": "Pista anterior", + "ButtonNextTrack": "Pista siguiente", + "ButtonStop": "Detener", + "ButtonPause": "Pausa", + "ButtonNext": "Siguiente", "ButtonPrevious": "Anterior", - "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el idioma de descarga", "LabelProfileContainersHelp": "Separados por comas. Esto se puede dejar vac\u00edo para aplicar a todos los contenedores.", - "LabelSkipIfAudioTrackPresentHelp": "Desactive esta opci\u00f3n para asegurar que todos los v\u00eddeos tienen subt\u00edtulos, sin importar el idioma de audio.", "HeaderResponseProfile": "Perfil de respuesta", "LabelType": "Tipo:", - "HeaderHelpImproveProject": "Ayude a mejorar a Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Contenedor:", "LabelProfileVideoCodecs": "Codecs de video:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Codecs de audio:", "LabelProfileCodecs": "C\u00f3decs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Perfil de reproducci\u00f3n directa", - "ButtonClose": "Cerrar", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Perfil de transcodificaci\u00f3n", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "Nada", - "TabFilter": "Filter", - "HeaderLiveTv": "TV en vivo", - "ButtonView": "View", "HeaderCodecProfile": "Perfil de codec", - "HeaderReports": "Informes", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferencias", "HeaderContainerProfile": "Perfil de contenedor", - "MessageLoadingChannels": "Cargando contenidos del canal...", - "ButtonMarkRead": "Marcar como le\u00eddo", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Por defecto", - "OptionCommunityMostWatchedSort": "M\u00e1s visto", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Mis vistas", "OptionProfileVideoAudio": "Video audio", - "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida", - "ButtonVolumeUp": "Subir volumen", - "OptionLatestTvRecordings": "\u00daltimas grabaciones", - "NotificationOptionGamePlaybackStopped": "Reproducci\u00f3n de juego detenida", - "ButtonVolumeDown": "Bajar volumen", - "ButtonMute": "Silencio", "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.", - "ButtonArrowUp": "Arriba", "OptionPlainStorageFolders": "Ver todas las carpetas como carpetas de almacenamiento sin formato.", - "LabelChapterName": "Cap\u00edtulo {0}", - "NotificationOptionCameraImageUploaded": "Imagen de camara se a carcado", - "ButtonArrowDown": "Abajo", "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\".", - "HeaderNewApiKey": "Nueva Clave Api", - "ButtonArrowLeft": "Izquierda", "OptionPlainVideoItems": "Mostrar todos los videos como elementos de video sin formato", - "LabelAppName": "Nombre de la app", - "ButtonArrowRight": "Derecha", - "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Atr\u00e1s", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Tipos de medio soportados:", - "ButtonPageUp": "P\u00e1gina arriba", "TabIdentification": "Identificaci\u00f3n", - "ButtonPageDown": "P\u00e1gina abajo", + "HeaderIdentification": "Identificaci\u00f3n", "TabDirectPlay": "Reproducci\u00f3n directa", - "PageAbbreviation": "PG", "TabContainers": "Contenedores", - "ButtonHome": "Inicio", "TabCodecs": "C\u00f3decs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Opciones", "TabResponses": "Respuestas", - "ButtonTakeScreenshot": "Captura de pantalla", "HeaderProfileInformation": "Informaci\u00f3n del perfil", - "ButtonLetterUp": "Letter arriba", - "ButtonLetterDown": "Letter abajo", "LabelEmbedAlbumArtDidl": "Incorporar la car\u00e1tula del \u00e1lbum en didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener la car\u00e1tula del \u00e1lbum. Otros pueden fallar al reproducir con esta opci\u00f3n habilitada.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Reproduciendo ahora", "LabelAlbumArtPN": "Car\u00e1tula del album PN:", - "TabNavigation": "Navegaci\u00f3n", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de la car\u00e1tula del \u00e1lbum expuesta a trav\u00e9s de upnp:albumArtURI.", - "HeaderDisplaySettings": "Opciones de pantalla", - "ButtonAudioTracks": "Pistas de Audio", "LabelIconMaxWidth": "Anchura m\u00e1xima de icono:", - "TabPlayTo": "Reproducir en", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.", - "LabelEnableDlnaServer": "Habilitar servidor Dlna", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Altura m\u00e1xima de icono:", - "LabelEnableDlnaServerHelp": "Permite que los aparatos con tecnologia UPnP en su red local pudan acceder los contenidos en Emby.", "LabelIconMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.", - "LabelEnableBlastAliveMessages": "Explotar mensajes en vivo", "LabelIdentificationFieldHelp": "Una subcadena insensible a may\u00fasculas o min\u00fasculas o una expresi\u00f3n regex.", - "LabelEnableBlastAliveMessagesHelp": "Active aqu\u00ed si el servidor no es detectado correctamente por otros dispositivos UPnP en su red.", - "CategoryApplication": "Aplicaci\u00f3n", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Intervalo para mensajes en vivo (segundos)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Bitrate m\u00e1ximo:", - "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos entre los mensajes en vivo del servidor .", - "NotificationOptionPluginError": "Error en plugin", "LabelMaxBitrateHelp": "Especificar una tasa de bits m\u00e1xima en entornos de ancho de banda limitado, o si el dispositivo impone su propio l\u00edmite.", - "LabelDefaultUser": "Usuario por defecto:", + "LabelMaxStreamingBitrate": "Bitrate m\u00e1ximo:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Bitrate de reproducci\u00f3n Chromecast", + "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", - "HeaderServerInformation": "Informaci\u00f3n del servidor", - "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.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si est\u00e1 activado, estas solicitudes ser\u00e1n atendidas pero ignorar\u00e1n el encabezado de intervalo de bytes.", "LabelFriendlyName": "Nombre amigable", "LabelManufacturer": "Fabricante", - "ViewTypeMovies": "Pel\u00edculas", "LabelManufacturerUrl": "Url del fabricante", - "TabNextUp": "Siguiendo", - "ViewTypeTvShows": "TV", "LabelModelName": "Nombre de modelo", - "ViewTypeGames": "Juegos", "LabelModelNumber": "N\u00famero de modelo", - "ViewTypeMusic": "M\u00fasica", "LabelModelDescription": "Descripci\u00f3n de modelo", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Colecciones", "LabelModelUrl": "Url del modelo", - "HeaderOtherDisplaySettings": "Configuraci\u00f3n de pantalla", "LabelSerialNumber": "N\u00famero de serie", "LabelDeviceDescription": "Descripci\u00f3n del dispositivo", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Entre al menos un criterio de identificaci\u00f3n.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "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.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el espacio de nombre urn:schemas-dlna-org:device-1-0.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el espacio de nombreurn:schemas-dlna-org:device-1-0.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Agregaci\u00f3n de banderas Sony:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Cap\u00edtulos", "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el espacio de nombre urn:schemas-sonycom:av.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as 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": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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 Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No se han encontrado resultados en la b\u00fasqueda.", + "TabDisplay": "Pantalla", + "TabLanguages": "Idiomas", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "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", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Cargando contenidos del canal...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Marcar como le\u00eddo", + "OptionDefaultSort": "Por defecto", + "OptionCommunityMostWatchedSort": "M\u00e1s visto", + "TabNextUp": "Siguiendo", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles. Comience ver y calificar sus pel\u00edculas y vuelva para ver las recomendaciones.", + "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + 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.", + "ButtonDismiss": "Descartar", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Pel\u00edculas", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Juegos", + "ViewTypeMusic": "M\u00fasica", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Contenedor:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Codec de video:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Perfil de video:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Codec de audio:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Activar modo M2ts", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Archivos de log del servidor:", - "OptionEnableM2tsModeHelp": "Activar modo m2ts cuando se codifique a mpegts", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimar longitud del contenido al transcodificar", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Indicar que el servidor soporta la b\u00fasqueda de byte al transcodificar", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login renuncia:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es necesario para algunos dispositivos que no buscan el tiempo muy bien.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "Usted puede cancelar en cualquier momento desde su cuenta de PayPal.", - "TabHosting": "Servidor", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "\nReproducir pista de audio predeterminado, independientemente del idioma", - "LabelDownMixAudioScaleHelp": "Potenciador de audio. Establecer a 1 para preservar el volumen original.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Modo de Subt\u00edtulo:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transferir Clave", - "OptionLatestChannelMedia": "Ultimos elementos de canales", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Antigua clave de seguidor", - "HeaderLatestChannelItems": "Ultimos elementos de canales", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "Nueva clave de seguidor", - "TitleRemoteControl": "Control remoto", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Trasferir a una Clave Nueva", - "ViewTypeLiveTvChannels": "Channels", - "MultipleKeyLinkingHelp": "Si usted recivio una nueva clave de partidiario, use este formulario para trasferir la registracion de la clave vieja a la nueva.", - "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", - "TabControls": "Controles", - "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": "Agregue su clave de partidiario para empezar a disfrutar beneficios adicionales que la comunidad a creado para Emby.", - "MessageInvalidKey": "Clave de partidiario no se encuentra o es invalido.", - "ErrorMessageInvalidKey": "Para que cualquier contenido premium sea registrado, usted debe ser un pardidiario de Emby. Porfavor done y ayude a continuar con el desarrollo del producto principal. Gracias.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "P\u00e1gina de inicio", - "HeaderSettingsForThisDevice": "Opciones para este dispositivo", - "OptionMyMedia": "My media", - "OptionAllUsers": "Todos los usuarios", - "ButtonDismiss": "Descartar", - "OptionAdminUsers": "Administradores", - "OptionDisplayAdultContent": "Mostrar contenido para adultos", - "HeaderSearchForSubtitles": "B\u00fasqueda de Subt\u00edtulos", - "OptionCustomUsers": "A medida", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No se han encontrado resultados en la b\u00fasqueda.", + "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", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Pantalla", "HeaderBranding": "Branding", - "TabLanguages": "Idiomas", "HeaderApiKeys": "Keys de Api", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "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.", - "LabelEnableThemeSongs": "Habilitar temas musicales", "HeaderApiKey": "Clave Api", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Descarga subt\u00edtulos para:", - "LabelEnableThemeSongsHelp": "Si est\u00e1 habilitado, se reproducir\u00e1n temas musicales de fondo mientras navega por la biblioteca.", "HeaderDevice": "Dispositivo", - "LabelEnableBackdropsHelp": "Si est\u00e1 habilitado, se mostrar\u00e1n im\u00e1genes de fondo en algunas p\u00e1ginas mientras navega por la biblioteca.", "HeaderUser": "Usuario", "HeaderDateIssued": "Fecha de emisi\u00f3n", - "TabSubtitles": "Subt\u00edtulos", - "LabelOpenSubtitlesUsername": "Usuario de Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:", - "OptionYes": "Si", - "OptionNo": "No", - "LabelDownloadLanguages": "Idiomas de descarga:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Registrar", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Continuar", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "\u00daltimos medios", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Cap\u00edtulo {0}", + "HeaderNewApiKey": "Nueva Clave Api", + "LabelAppName": "Nombre de la app", + "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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": "Cerrar", "LabelAllLanguages": "All languages", "HeaderBrowseOnlineImages": "Browse Online Images", "LabelSource": "Source:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Lugar del que mostar el tiempo:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Bitrate de reproducci\u00f3n Chromecast", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal USA \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Unidad de media para la temperatura:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Requerir entrada de usuario manual para:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "Usuario bloqueado", - "HeaderRequireManualLoginHelp": "Cuando est\u00e1 desactivado los clientes saldr\u00e1n en la pantalla de inicio para seleccionarlos visualmente.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Otras aplicaciones", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Aplicaciones m\u00f3viles", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Escenas", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subt\u00edtulos", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Colecciones", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Detener", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "Lista", - "OptionSeason0": "Season 0", - "ButtonPause": "Pausa", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Panel de control", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Servidor", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cach\u00e9:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Registros:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadatos:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido a\u00f1adido (multiple)", - "LabelImagesByName": "Im\u00e1genes por nombre:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Enviar mensaje", - "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Enviar", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Mensaje de texto:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Pista anterior", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Pista siguiente", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Ajustes del Servidor", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Visite el cat\u00e1logo de plugins para instalar servicios de notificaci\u00f3n adicionales.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Bitrate m\u00e1ximo:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Informaci\u00f3n de protocolo:", "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", "LabelEasyPinCode": "F\u00e1cil c\u00f3digo PIN:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "El valor que se utilizar\u00e1 cuando se responde a una solicitud GetProtocolInfo desde el dispositivo.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identificaci\u00f3n", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Restablecer f\u00e1cil c\u00f3digo PIN", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Canales", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Tv en vivo", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "Cuando se muestran las listas de pel\u00edculas, las pel\u00edculas pertenecientes a una colecci\u00f3n se mostrar\u00e1n como un elemento agrupado.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "\u00daltimos medios", + "HeaderConfirmDeletion": "Confirmar borrado", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Caracter\u00edsticas especiales", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Buscar", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Patr\u00f3n de episodio:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Patrones soportados", - "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles. Comience ver y calificar sus pel\u00edculas y vuelva para ver las recomendaciones.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Plazo", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Patr\u00f3n", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Haga click en una notificaci\u00f3n para configurar sus opciones de env\u00edo.", - "HeaderResult": "Resultado", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Activar esta notificaci\u00f3n", - "LabelDeleteEmptyFolders": "Borrar carpetas vacias despu\u00e9s de la organizaci\u00f3n", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Activar para mantener el directorio de descargas limpio.", - "ButtonOsd": "Visualizaci\u00f3n en pantalla", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Eliminar los archivos sobrantes con las siguientes extensiones:", - "MessageNoAvailablePlugins": "No hay plugins disponibles.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Reproduccion de video a iniciado", - "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt", - "LabelDisplayPluginsFor": "Mostrar plugins para:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Reproduccion de audio a iniciado", - "OptionOverwriteExistingEpisodes": "Sobreescribir episodios ya existentes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Reproduccion de video juego a iniciado", - "LabelTransferMethod": "M\u00e9todo de transferencia", "LabelPlayers": "Players:", - "OptionCopy": "Copiar", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "Nuevo contenido a\u00f1adido", - "OptionMove": "Mover", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Se requiere el reinicio del servidor", - "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Supervisar la actividad de:", - "HeaderLatestNews": "Ultimas noticias", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Canales", - "HeaderRunningTasks": "Tareas en ejecuci\u00f3n", - "HeaderConfirmDeletion": "Confirmar borrado", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Calidad preferida para la transmisi\u00f3n por Internet:", - "HeaderActiveDevices": "Dispositivos activos", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "En un entorno de bajo ancho de banda, limitar la calidad puede ayudar a asegurar una experiencia de streaming suave.", - "HeaderPendingInstallations": "Instalaciones pendientes", - "HeaderTypeText": "Entrar texto", - "OptionBestAvailableStreamQuality": "Mejor disponible", - "LabelUseNotificationServices": "Usar los siguientes servicios:", - "LabelTypeText": "Texto", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Habilitar descargas de contenido para el canal:", - "NotificationOptionApplicationUpdateAvailable": "Disponible actualizaci\u00f3n de la aplicaci\u00f3n", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "C\u00f3digo PIN:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/fi.json b/MediaBrowser.Server.Implementations/Localization/Server/fi.json index c1decabc93..f4d1a31d3e 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/fi.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/fi.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Poista Kuva", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Virallinen Julkaisu", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Kehittely (Ei vakaa)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Poistu", + "LabelVisitCommunity": "K\u00e4y Yhteis\u00f6ss\u00e4", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Normaali", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Selaa Kirjastoa", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Avaa Library Viewer", + "LabelRestartServer": "K\u00e4ynnist\u00e4 Palvelin uudelleen", + "LabelShowLogWindow": "N\u00e4yt\u00e4 Loki Ikkuna", + "LabelPrevious": "Edellinen", + "LabelFinish": "Valmis", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Seuraava", + "LabelYoureDone": "Olet valmis!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "T\u00e4m\u00e4 ty\u00f6kalu auttaa sinua asennus prosessin aikana. loittaaksesi valitse kieli.", + "TellUsAboutYourself": "Kerro meille itsest\u00e4si", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Sinun ensimm\u00e4inen nimi:", + "MoreUsersCanBeAddedLater": "K\u00e4ytt\u00e4ji\u00e4 voi lis\u00e4t\u00e4 lis\u00e4\u00e4 my\u00f6hemmin Dashboardista", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "Windows Service on asennettu.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "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": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/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": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "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.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Lopeta", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Aseta sinun media kirjasto", + "ButtonAddMediaFolder": "Lis\u00e4\u00e4 media kansio", + "LabelFolderType": "Kansion tyyppi:", + "ReferToMediaLibraryWiki": "Viittus media kirjaston wikiin.", + "LabelCountry": "Maa:", + "LabelLanguage": "Kieli:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "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": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Asetukset", + "TabPassword": "Salasana", + "TabLibraryAccess": "Kirjaston P\u00e4\u00e4sy", + "TabAccess": "Access", + "TabImage": "Kuva", + "TabProfile": "Profiili", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "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", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "T\u00e4m\u00e4 ty\u00f6kalu auttaa sinua asennus prosessin aikana. loittaaksesi valitse kieli.", - "TellUsAboutYourself": "Kerro meille itsest\u00e4si", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Sinun ensimm\u00e4inen nimi:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "K\u00e4ytt\u00e4ji\u00e4 voi lis\u00e4t\u00e4 lis\u00e4\u00e4 my\u00f6hemmin Dashboardista", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Windows Service on asennettu.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "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.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Muuta asetuksia", - "LabelEnableVideoImageExtraction": "Ota video kuvan purku k\u00e4ytt\u00f6\u00f6n", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "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", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Ota automaattinen porttien mapping k\u00e4ytt\u00f6\u00f6n", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP sallii automaattisen reitittimen asetusten muuttamisen. T\u00e4m\u00e4 ei mahdollisesti toimi joidenkin retititin mallien kanssa.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Lopeta", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Aseta sinun media kirjasto", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Lis\u00e4\u00e4 media kansio", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Kansion tyyppi:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Viittus media kirjaston wikiin.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Maa:", - "LabelLanguage": "Kieli:", - "HeaderPreferredMetadataLanguage": "Ensisijainen kieli:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "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", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Poistu", - "OptionBanner": "Banner", - "LabelVisitCommunity": "K\u00e4y Yhteis\u00f6ss\u00e4", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Normaali", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Selaa Kirjastoa", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Avaa Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "K\u00e4ynnist\u00e4 Palvelin uudelleen", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "N\u00e4yt\u00e4 Loki Ikkuna", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Edellinen", "TabMovies": "Movies", - "LabelFinish": "Valmis", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Seuraava", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Olet valmis!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Asetukset", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Salasana", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Kirjaston P\u00e4\u00e4sy", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Kuva", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profiili", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "N\u00e4yt\u00e4 puuttuvat jaksot tuotantokausissa", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "N\u00e4yt\u00e4 julkaisemattomat jaksot tuotantokausissa", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Videon Toistamisen Asetukset", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "\u00c4\u00e4nen ensisijainen kieli:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Tekstityksien ensisijainen kieli:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiilit", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Suojaus", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Lis\u00e4\u00e4 K\u00e4ytt\u00e4j\u00e4", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Tallenna", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Uusi Salasana", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "Uusi salasana:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "Uuden salasanan varmistus:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Luo Salasana:", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "T\u00e4m\u00e4n hetkinen salsana:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Suurin sallittu vanhempien arvostelu:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Suuremman arvosanan takia, sis\u00e4lt\u00f6 tulla piilottamaan k\u00e4ytt\u00e4j\u00e4lt\u00e4.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "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.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Virallinen Julkaisu", + "OptionBeta": "Beta", + "OptionDev": "Kehittely (Ei vakaa)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 3056310255..54fda4a371 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/fr.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/fr.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bienvenue dans Emby !", - "LabelImageSavingConvention": "Convention de sauvegarde des images:", - "LabelNumberOfGuideDaysHelp": "Le t\u00e9l\u00e9chargement de plus de journ\u00e9es dans le guide horaire permet de programmer des enregistrements plus longtemps \u00e0 l'avance et de visualiser plus de contenus, mais prendra \u00e9galement plus de temps. \"Auto\" permettra une s\u00e9lection automatique bas\u00e9e sur le nombre de cha\u00eenes.", - "HeaderNewCollection": "Nouvelle collection", - "LabelImageSavingConventionHelp": "Emby reconnait les images de la plupart des applications de partage de m\u00e9dias. Le choix d'un format de t\u00e9l\u00e9chargement n'est utile que si vous utilisez \u00e9galement d'autres produits.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Connect\u00e9 \u00e0 Emby", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Cr\u00e9er", - "ButtonSignIn": "Se connecter", - "LiveTvPluginRequired": "Un fournisseur de service de TV en direct est requis pour continuer.", - "TitleSignIn": "Se connecter", - "LiveTvPluginRequiredHelp": "Merci d'installer un de nos plugins disponibles, comme Next Pvr ou ServerWmc.", - "LabelWebSocketPortNumber": "Num\u00e9ro de port \"Web socket\":", - "ProjectHasCommunity": "Emby b\u00e9n\u00e9ficie d'une communaut\u00e9 florissante d'utilisateurs et de contributeurs.", - "HeaderPleaseSignIn": "Merci de vous identifier", - "LabelUser": "Utilisateur:", - "LabelExternalDDNS": "Adresse WAN externe :", - "TabOther": "Autre", - "LabelPassword": "Mot de passe:", - "OptionDownloadThumbImage": "Vignette", - "LabelExternalDDNSHelp": "Si vous avez un DNS dynamique, entrez le ici. Les applications Emby l'utiliseront pour se connecter \u00e0 distance. Laissez vide pour conserver la d\u00e9tection automatique.", - "VisitProjectWebsite": "Visiter le site web de Emby", - "ButtonManualLogin": "Connexion manuelle", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Reprendre", - "PasswordLocalhostMessage": "Aucun mot de passe requis pour les connexions par \"localhost\".", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "M\u00e9t\u00e9o", - "OptionDownloadBoxImage": "Bo\u00eetier", - "TitleAppSettings": "Param\u00e8tre de l'application", - "ButtonDeleteImage": "Supprimer l'image", - "VisitProjectWebsiteLong": "Consultez le site web d'Emby pour vous tenir inform\u00e9 des derni\u00e8res actualit\u00e9s et billets du blog des d\u00e9veloppeurs.", - "OptionDownloadDiscImage": "Disque", - "LabelMinResumePercentage": "Pourcentage minimum pour reprendre:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banni\u00e8re", - "LabelMaxResumePercentage": "Pourcentage maximum pour reprendre:", - "HeaderUploadNewImage": "Uploader une nouvelle image", - "OptionDownloadBackImage": "Dos", - "LabelMinResumeDuration": "Temps de reprise minimum (secondes):", - "OptionHideWatchedContentFromLatestMedia": "Masquer le contenu d\u00e9j\u00e0 vu dans les derniers m\u00e9dias", - "LabelDropImageHere": "Placer l'image ici", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Les m\u00e9dias seront consid\u00e9r\u00e9s comme non lus si arr\u00eat\u00e9s avant ce temps", - "ImageUploadAspectRatioHelp": "Rapport d'aspect 1:1 recommand\u00e9. Seulement JPG\/PNG.", - "OptionDownloadPrimaryImage": "Principal", - "LabelMaxResumePercentageHelp": "Les m\u00e9dias sont consid\u00e9r\u00e9s comme lus si arr\u00eat\u00e9s apr\u00e8s ce temps", - "MessageNothingHere": "Rien ici.", - "HeaderFetchImages": "T\u00e9l\u00e9charger Images:", - "LabelMinResumeDurationHelp": "La lecture de m\u00e9dias plus courts que cette dur\u00e9e ne pourra pas \u00eatre reprise.", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Veuillez vous assurer que le t\u00e9l\u00e9chargement des m\u00e9tadonn\u00e9es depuis Internet est activ\u00e9.", - "HeaderImageSettings": "Param\u00e8tres d'image", - "TabSuggested": "Sugg\u00e9r\u00e9s", - "LabelMaxBackdropsPerItem": "Nombre maximum d'images d'arri\u00e8re-plan par item:", - "TabLatest": "Plus r\u00e9cents", - "LabelMaxScreenshotsPerItem": "Nombre maximum de captures d'\u00e9cran par item:", - "TabUpcoming": "\u00c0 venir", - "LabelMinBackdropDownloadWidth": "Largeur minimum d'image d'arri\u00e8re-plan \u00e0 t\u00e9l\u00e9charger:", - "TabShows": "S\u00e9ries", - "LabelMinScreenshotDownloadWidth": "Largeur minimum de capture d'\u00e9cran \u00e0 t\u00e9l\u00e9charger:", - "TabEpisodes": "\u00c9pisodes", - "ButtonAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur", - "TabPeople": "Personnes", - "ButtonAdd": "Ajouter", - "TabNetworks": "R\u00e9seaux", - "LabelTriggerType": "Type de d\u00e9clencheur:", - "OptionDaily": "Quotidien", - "OptionWeekly": "Hebdomadaire", - "OptionOnInterval": "Par intervalle", - "OptionOnAppStartup": "Par d\u00e9marrage de l'application", - "ButtonHelp": "Aide", - "OptionAfterSystemEvent": "Apr\u00e8s un \u00e9v\u00e8nement syst\u00e8me", - "LabelDay": "Jour :", - "LabelTime": "Heure:", - "OptionRelease": "Version officielle", - "LabelEvent": "\u00c9v\u00e8nement:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Sortie de veille", - "ButtonInviteUser": "Inviter un utilisateur", - "OptionDev": "Dev (Instable)", - "LabelEveryXMinutes": "Tous les :", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Galerie", - "HeaderLatestGames": "Jeux les plus r\u00e9cents", - "RegisterWithPayPal": "S'enregistrer avec PayPal", - "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 des saisons 0 \/ hors-saison :", - "LabelEnableRealtimeMonitor": "Activer la surveillance en temps r\u00e9el", - "LabelEnableRealtimeMonitorHelp": "Les changements seront trait\u00e9s imm\u00e9diatement, sur les syst\u00e8mes de fichiers qui le permettent.", - "ButtonScanLibrary": "Scanner la biblioth\u00e8que", - "HeaderNumberOfPlayers": "Lecteurs :", - "OptionAnyNumberOfPlayers": "N'importe quel:", + "LabelExit": "Quitter", + "LabelVisitCommunity": "Visiter la Communaut\u00e9", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Documentation API", - "Option2Player": "2+", "LabelDeveloperResources": "Ressources pour d\u00e9veloppeurs", - "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", - "LabelManagement": "Gestion :", - "HeaderMusicVideos": "Vid\u00e9os Musicaux", - "HeaderSpecialFeatures": "Bonus", + "LabelBrowseLibrary": "Parcourir la biblioth\u00e8que", + "LabelConfigureServer": "Configurer Emby", + "LabelOpenLibraryViewer": "Ouvrir le navigateur de biblioth\u00e8que", + "LabelRestartServer": "Red\u00e9marrer le Serveur", + "LabelShowLogWindow": "Afficher la fen\u00eatre du journal d'\u00e9v\u00e8nements", + "LabelPrevious": "Pr\u00e9c\u00e9dent", + "LabelFinish": "Terminer", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Suivant", + "LabelYoureDone": "Vous avez Termin\u00e9!", + "WelcomeToProject": "Bienvenue dans Emby !", + "ThisWizardWillGuideYou": "Cet assistant vous guidera dans le processus de configuration. Pour commencer, merci de s\u00e9lectionner votre langue pr\u00e9f\u00e9r\u00e9e.", + "TellUsAboutYourself": "Parlez-nous de vous", + "ButtonQuickStartGuide": "Guide de d\u00e9marrage rapide", + "LabelYourFirstName": "Votre pr\u00e9nom:", + "MoreUsersCanBeAddedLater": "D'autres utilisateurs pourront \u00eatre ajout\u00e9s ult\u00e9rieurement \u00e0 partir du tableau de bord.", + "UserProfilesIntro": "Emby supporte nativement les profils utilisateurs, les pr\u00e9f\u00e9rences d'affichage, la sauvegarde de l'\u00e9tat de lecture et le contr\u00f4le parental.", + "LabelWindowsService": "Service Windows", + "AWindowsServiceHasBeenInstalled": "Un service Windows a \u00e9t\u00e9 install\u00e9.", + "WindowsServiceIntro1": "Le serveur Emby fonctionne comme une application de bureau avec une icone de notification, mais si vous pr\u00e9f\u00e9rez qu'il tourne comme un service en tache de fond, il peut \u00eatre d\u00e9marrer \u00e0 partir du panneau de controle des services windows.", + "WindowsServiceIntro2": "Si le service Windows est utilis\u00e9, veuillez noter qu'il ne peut pas fonctionner en m\u00eame temps que l'application dans la barre des t\u00e2ches, vous devrez donc fermer l'application de la barre des t\u00e2ches pour pouvoir ex\u00e9cuter le service. Le service devra aussi \u00eatre configur\u00e9 avec les droits administrateurs via le panneau de configuration. Veuillez noter qu'actuellement, la mise \u00e0 jour automatique du service n'est pas disponible, les mises \u00e0 jour devront donc se faire manuellement.", + "WizardCompleted": "C'est tout ce dont nous avons besoin pour l'instant. Emby a commenc\u00e9 \u00e0 collecter les informations de votre biblioth\u00e8que de m\u00e9dias. Jetez un oeil \u00e0 quelques unes de nos applications, puis cliquez sur Terminer<\/b> pour consulter le Tableau de bord du serveur<\/b>.", + "LabelConfigureSettings": "Configurer les param\u00e8tres", + "LabelEnableVideoImageExtraction": "Activer l'extraction d'images des videos", + "VideoImageExtractionHelp": "Pour les vid\u00e9os sans image et pour lesquelles nous n'avons pas trouv\u00e9 d'images sur Internet. Ce processus prolongera la mise \u00e0 jour initiale de la biblioth\u00e8que mais offrira un meilleur rendu visuel.", + "LabelEnableChapterImageExtractionForMovies": "Extraire les images de chapitres des films", + "LabelChapterImageExtractionForMoviesHelp": "L'extraction d'images de chapitres permettra aux clients d'afficher des menus visuels pour la s\u00e9lection des sc\u00e8nes. Le processus peut \u00eatre long et consommateur de ressources du processeur et de stockage (plusieurs gigaoctets). Il s'ex\u00e9cute comme t\u00e2che programm\u00e9e mais son param\u00e9trage peut \u00eatre modifi\u00e9 dans les options des t\u00e2ches programm\u00e9es. Il est d\u00e9conseill\u00e9 d'ex\u00e9cuter cette t\u00e2che durant les heures d'utilisation normales.", + "LabelEnableAutomaticPortMapping": "Activer la configuration automatique de port", + "LabelEnableAutomaticPortMappingHelp": "UPnP permet la configuration automatique des routeurs pour un acc\u00e8s \u00e0 distance facile. Ceci peut ne pas fonctionner sur certains mod\u00e8les de routeur.", + "HeaderTermsOfService": "Conditions d'utilisation de Emby", + "MessagePleaseAcceptTermsOfService": "Veuillez accepter les conditions d'utilisations et la politique de confidentialit\u00e9 avant de continuer.", + "OptionIAcceptTermsOfService": "J'accepte les conditions d'utilisation.", + "ButtonPrivacyPolicy": "Politique de confidentialit\u00e9", + "ButtonTermsOfService": "Conditions d'utilisation", "HeaderDeveloperOptions": "Options de d\u00e9veloppement", - "HeaderCastCrew": "\u00c9quipe de tournage", - "LabelLocalHttpServerPortNumber": "Num\u00e9ro de port http local :", - "HeaderAdditionalParts": "Parties Additionelles", "OptionEnableWebClientResponseCache": "Activer la mise en cache des r\u00e9ponses du client web", - "LabelLocalHttpServerPortNumberHelp": "Le port TCP que le serveur http d'Emby doit utiliser.", - "ButtonSplitVersionsApart": "S\u00e9parer les versions", - "LabelSyncTempPath": "R\u00e9pertoire de fichiers temporaires :", "OptionDisableForDevelopmentHelp": "Vous pouvez configurer ces options selon vos besoins de d\u00e9veloppement.", - "LabelMissing": "Manquant(s)", - "LabelSyncTempPathHelp": "Sp\u00e9cifiez un r\u00e9pertoire de travail pour la synchronisation. Les fichiers r\u00e9sultant de la conversion de m\u00e9dias au cours du processus de synchronisation seront stock\u00e9s ici.", - "LabelEnableAutomaticPortMap": "Autoriser le mapping automatique de port", - "LabelOffline": "Hors ligne", "OptionEnableWebClientResourceMinification": "Activer la minimisation des ressources du client web", - "LabelEnableAutomaticPortMapHelp": "Essayer de mapper automatiquement le port public au port local via UPnP. Cela peut ne pas fonctionner avec certains mod\u00e8les de routeurs.", - "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.", - "LabelCustomCertificatePath": "Chemin vers le certificat personnalis\u00e9 :", - "HeaderFrom": "De", "LabelDashboardSourcePath": "Chemin des fichiers sources du client web", - "HeaderTo": "\u00c0", - "LabelCustomCertificatePathHelp": "Fournissez votre propre certificat SSL au format .pfx. Sinon, le serveur cr\u00e9era un certificat auto-sign\u00e9.", - "LabelFrom": "De :", "LabelDashboardSourcePathHelp": "Si vous ex\u00e9cutez le serveur \u00e0 partir des sources, veuillez sp\u00e9cifier le chemin du r\u00e9pertoire dashboard-ui. Tous les fichiers du client web seront servis \u00e0 partir de cet endroit.", - "LabelFromHelp": "Exemple: D:\\Films (sur le serveur)", - "ButtonAddToCollection": "Ajouter \u00e0 une collection", - "LabelTo": "\u00c0:", + "ButtonConvertMedia": "Convertir le m\u00e9dia", + "ButtonOrganize": "Organiser", + "LinkedToEmbyConnect": "Connect\u00e9 \u00e0 Emby", + "HeaderSupporterBenefits": "Avantages de supporteur", + "HeaderAddUser": "Ajouter un utilisateur", + "LabelAddConnectSupporterHelp": "Pour ajouter un utilisateur non list\u00e9, vous devrez d'abord lier son compte \u00e0 Emby Connect depuis sa page de profil utilisateur.", + "LabelPinCode": "Code PIN:", + "OptionHideWatchedContentFromLatestMedia": "Masquer le contenu d\u00e9j\u00e0 vu dans les derniers m\u00e9dias", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Annuler", + "ButtonExit": "Sortie", + "ButtonNew": "Nouveau", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Vid\u00e9o", "HeaderPaths": "Chemins", - "LabelToHelp": "Exemple: \\\\MonServeur\\Films (un chemin d'acc\u00e8s accessible par les clients)", - "ButtonAddPathSubstitution": "Ajouter une substitution", + "CategorySync": "Sync", + "TabPlaylist": "Liste de lecture", + "HeaderEasyPinCode": "Code Easy Pin", + "HeaderGrownupsOnly": "R\u00e9serv\u00e9 aux adultes !", + "DividerOr": "-- ou --", + "HeaderInstalledServices": "Services install\u00e9s", + "HeaderAvailableServices": "Services disponibles", + "MessageNoServicesInstalled": "Aucun service n'est actuellement install\u00e9.", + "HeaderToAccessPleaseEnterEasyPinCode": "Veuillez entrez votre code Easy PIN :", + "KidsModeAdultInstruction": "Cliquez sur l'ic\u00f4ne en forme de cadenas en bas \u00e0 droite pour configurer ou quitter le mode Enfants. Votre code PIN sera requis.", + "ButtonConfigurePinCode": "Configurer le code PIN", + "HeaderAdultsReadHere": "Section r\u00e9serv\u00e9e aux adultes!", + "RegisterWithPayPal": "S'enregistrer avec PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync n\u00e9cessite un abonnement actif comme supporteur", + "HeaderEnjoyDayTrial": "Profitez d'une p\u00e9riode d'essai de 14 jours", + "LabelSyncTempPath": "R\u00e9pertoire de fichiers temporaires :", + "LabelSyncTempPathHelp": "Sp\u00e9cifiez un r\u00e9pertoire de travail pour la synchronisation. Les fichiers r\u00e9sultant de la conversion de m\u00e9dias au cours du processus de synchronisation seront stock\u00e9s ici.", + "LabelCustomCertificatePath": "Chemin vers le certificat personnalis\u00e9 :", + "LabelCustomCertificatePathHelp": "Fournissez votre propre certificat SSL au format .pfx. Sinon, le serveur cr\u00e9era un certificat auto-sign\u00e9.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Sp\u00e9ciaux", - "OptionMissingEpisode": "\u00c9pisodes manquantes", "ButtonDonateWithPayPal": "Faire un don avec Paypal", + "OptionDetectArchiveFilesAsMedia": "Reconna\u00eetre les fichiers archives comme m\u00e9dias", + "OptionDetectArchiveFilesAsMediaHelp": "Activez cette option pour reconna\u00eetre les fichiers portant l'extension .rar ou .zip comme des fichiers de m\u00e9dias. ", + "LabelEnterConnectUserName": "Nom d'utilisateur ou adresse mail :", + "LabelEnterConnectUserNameHelp": "C'est le nom d'utilisateur ou mot de passe de votre compte Emby en ligne.", + "LabelEnableEnhancedMovies": "Activer le mode d'affichage \u00e9tendu des films", + "LabelEnableEnhancedMoviesHelp": "Lorsque ce mode est activ\u00e9, les films seront affich\u00e9s comme des dossiers et incluront les bandes-annonces, les extras, l'\u00e9quipe de tournage et les autre contenus li\u00e9s.", + "HeaderSyncJobInfo": "T\u00e2che de synchronisation", + "FolderTypeMovies": "Films", + "FolderTypeMusic": "Musique", + "FolderTypeAdultVideos": "Vid\u00e9os Adultes", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Vid\u00e9os Musical", + "FolderTypeHomeVideos": "Vid\u00e9os personnelles", + "FolderTypeGames": "Jeux", + "FolderTypeBooks": "Livres", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "H\u00e9rite", - "OptionUnairedEpisode": "\u00c9pisodes non diffus\u00e9s", "LabelContentType": "Type de contenu :", - "OptionEpisodeSortName": "Nom de tri d'\u00e9pisode", "TitleScheduledTasks": "T\u00e2ches planifi\u00e9es", - "OptionSeriesSortName": "Nom de s\u00e9ries", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Note d'\u00e9valuation Tvdb", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Qualit\u00e9 du transcodage pr\u00e9f\u00e9r\u00e9e:", - "OptionAutomaticTranscodingHelp": "Le serveur d\u00e9cidera de la qualit\u00e9 et vitesse", - "LabelPublicHttpPort": "Num\u00e9ro de port http public :", - "OptionHighSpeedTranscodingHelp": "Qualit\u00e9 plus basse, mais encodage plus rapide", - "OptionHighQualityTranscodingHelp": "Qualit\u00e9 plus haute, mais encodage moins rapide", - "OptionPosterCard": "Carte Affiche", - "LabelPublicHttpPortHelp": "Le num\u00e9ro de port public \u00e0 mapper sur le port http local.", - "OptionMaxQualityTranscodingHelp": "Meilleure qualit\u00e9 avec encodage plus lent et haute utilisation du processeur.", - "OptionThumbCard": "Carte Vignette", - "OptionHighSpeedTranscoding": "Vitesse plus \u00e9lev\u00e9e", - "OptionAllowRemoteSharedDevices": "Autoriser le contr\u00f4le \u00e0 distance des appareils partag\u00e9s", - "LabelPublicHttpsPort": "Num\u00e9ro de port https public :", - "OptionHighQualityTranscoding": "Qualit\u00e9 plus \u00e9lev\u00e9e", - "OptionAllowRemoteSharedDevicesHelp": "Les p\u00e9riph\u00e9riques Dlna sont consid\u00e9r\u00e9s comme partag\u00e9s tant qu'un utilisateur ne commence pas \u00e0 le contr\u00f4ler.", - "OptionMaxQualityTranscoding": "Qualit\u00e9 maximale", - "HeaderRemoteControl": "Contr\u00f4le \u00e0 distance", - "LabelPublicHttpsPortHelp": "Le num\u00e9ro de port public \u00e0 mapper sur le port https local.", - "OptionEnableDebugTranscodingLogging": "Activer le d\u00e9bogage du transcodage dans le journal d'\u00e9v\u00e8nements", + "HeaderSetupLibrary": "Configurer votre biblioth\u00e8que de m\u00e9dia", + "ButtonAddMediaFolder": "Ajouter un r\u00e9pertoire de m\u00e9dia", + "LabelFolderType": "Type de r\u00e9pertoire:", + "ReferToMediaLibraryWiki": "Se r\u00e9f\u00e9rer au wiki des biblioth\u00e8ques de m\u00e9dia", + "LabelCountry": "Pays:", + "LabelLanguage": "Langue:", + "LabelTimeLimitHours": "Limite de temps (heures) :", + "ButtonJoinTheDevelopmentTeam": "Rejoignez l'\u00e9quipe de d\u00e9veloppement", + "HeaderPreferredMetadataLanguage": "Langue pr\u00e9f\u00e9r\u00e9e pour les m\u00e9tadonn\u00e9es:", + "LabelSaveLocalMetadata": "Enregistrer les images et m\u00e9tadonn\u00e9es dans les r\u00e9pertoires de m\u00e9dia", + "LabelSaveLocalMetadataHelp": "L'enregistrement des images et des m\u00e9tadonn\u00e9es dans le r\u00e9pertoire de m\u00e9dia les placera \u00e0 un endroit o\u00f9 elles seront facilement modifiables.", + "LabelDownloadInternetMetadata": "T\u00e9l\u00e9charger les images et m\u00e9tadonn\u00e9es depuis Internet", + "LabelDownloadInternetMetadataHelp": "Le serveur Emby peut t\u00e9l\u00e9charger les informations des m\u00e9dias pour donner une pr\u00e9sentation riche.", + "TabPreferences": "Pr\u00e9f\u00e9rences", + "TabPassword": "Mot de passe", + "TabLibraryAccess": "Acc\u00e8s aux biblioth\u00e8ques", + "TabAccess": "Acc\u00e8s", + "TabImage": "Image", + "TabProfile": "Profil", + "TabMetadata": "M\u00e9tadonn\u00e9es", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titres", + "HeaderDeviceAccess": "Acc\u00e8s \u00e0 l'appareil", + "OptionEnableAccessFromAllDevices": "Autoriser l'acc\u00e8s \u00e0 tous les appareils", + "OptionEnableAccessToAllChannels": "Activer l'acc\u00e8s \u00e0 toutes les cha\u00eenes", + "OptionEnableAccessToAllLibraries": "Activer l'acc\u00e8s \u00e0 toutes les librairies", + "DeviceAccessHelp": "Ceci ne s'applique qu'aux appareils qui peuvent \u00eatre identifi\u00e9s de mani\u00e8re unique et qui n'emp\u00eachent pas l'acc\u00e8s au navigateur. Le filtrage de l'acc\u00e8s aux appareil par utilisateur emp\u00eachera l'utilisation de nouveaux appareils jusqu'\u00e0 ce qu'ils soient approuv\u00e9s ici.", + "LabelDisplayMissingEpisodesWithinSeasons": "Afficher les \u00e9pisodes manquants dans les saisons", + "LabelUnairedMissingEpisodesWithinSeasons": "Afficher les \u00e9pisodes non diffus\u00e9s dans les saisons", + "HeaderVideoPlaybackSettings": "Param\u00e8tres de lecture video", + "HeaderPlaybackSettings": "Param\u00e8tres de lecture", + "LabelAudioLanguagePreference": "Param\u00e8tres de langue audio:", + "LabelSubtitleLanguagePreference": "Param\u00e8tres de langue de sous-titre", "OptionDefaultSubtitles": "Par d\u00e9faut", - "OptionEnableDebugTranscodingLoggingHelp": "Ceci cr\u00e9era un journal d\u2019\u00e9v\u00e9nements tr\u00e8s volumineux et n'est recommand\u00e9 que pour des besoins de diagnostic d'erreur.", - "LabelEnableHttps": "Renvoyer une url https en tant qu'adresse externe", - "HeaderUsers": "Utilisateurs", "OptionOnlyForcedSubtitles": "Seulement les sous-titres forc\u00e9s", - "HeaderFilters": "Filtres:", "OptionAlwaysPlaySubtitles": "Toujours afficher les sous-titres", - "LabelEnableHttpsHelp": "Activez cette option pour que le serveur renvoie une adresse https aux clients pour son adresse externe.", - "ButtonFilter": "Filtre", + "OptionNoSubtitles": "Aucun sous-titre", "OptionDefaultSubtitlesHelp": "Les sous-titres de la langue pr\u00e9f\u00e9r\u00e9e seront charg\u00e9s lorsque la langue de la piste audio est \u00e9trang\u00e8re.", - "OptionFavorite": "Favoris", "OptionOnlyForcedSubtitlesHelp": "Seuls les sous-titres forc\u00e9s seront charg\u00e9s.", - "LabelHttpsPort": "Num\u00e9ro de port https local :", - "OptionLikes": "Aim\u00e9s", "OptionAlwaysPlaySubtitlesHelp": "Les sous-titres correspondants \u00e0 la langue pr\u00e9f\u00e9r\u00e9e seront charg\u00e9s quelque soit la langue de la piste audio.", - "OptionDislikes": "Non aim\u00e9s", "OptionNoSubtitlesHelp": "Par d\u00e9faut, les sous-titres ne seront pas charg\u00e9s.", - "LabelHttpsPortHelp": "Le port TCP que le serveur https d'Emby doit utiliser.", + "TabProfiles": "Profils", + "TabSecurity": "S\u00e9curit\u00e9", + "ButtonAddUser": "Ajouter utilisateur", + "ButtonAddLocalUser": "Ajouter un utilisateur local", + "ButtonInviteUser": "Inviter un utilisateur", + "ButtonSave": "Sauvegarder", + "ButtonResetPassword": "R\u00e9initialiser le mot de passe", + "LabelNewPassword": "Nouveau mot de passe :", + "LabelNewPasswordConfirm": "Confirmer le nouveau mot de passe :", + "HeaderCreatePassword": "Cr\u00e9er un mot de passe", + "LabelCurrentPassword": "Mot de passe actuel :", + "LabelMaxParentalRating": "Note maximale d'\u00e9valuation de contr\u00f4le parental:", + "MaxParentalRatingHelp": "Le contenu avec une note d'\u00e9valuation de contr\u00f4le parental plus \u00e9lev\u00e9e ne sera pas visible par cet utilisateur.", + "LibraryAccessHelp": "Selectionnez le r\u00e9pertoire de m\u00e9dia \u00e0 partager avec cet utilisateur. Les administrateurs pourront modifier tous les r\u00e9pertoires en utilisant le gestionnaire de m\u00e9tadonn\u00e9es.", + "ChannelAccessHelp": "S\u00e9lectionner les cha\u00eenes \u00e0 partager avec cet utilisateur. Les administrateurs pourront modifier toutes les cha\u00eenes par le gestionnaire de m\u00e9tadonn\u00e9es.", + "ButtonDeleteImage": "Supprimer l'image", + "LabelSelectUsers": "S\u00e9lectionner des utilisateurs:", + "ButtonUpload": "Upload", + "HeaderUploadNewImage": "Uploader une nouvelle image", + "LabelDropImageHere": "Placer l'image ici", + "ImageUploadAspectRatioHelp": "Rapport d'aspect 1:1 recommand\u00e9. Seulement JPG\/PNG.", + "MessageNothingHere": "Rien ici.", + "MessagePleaseEnsureInternetMetadata": "Veuillez vous assurer que le t\u00e9l\u00e9chargement des m\u00e9tadonn\u00e9es depuis Internet est activ\u00e9.", + "TabSuggested": "Sugg\u00e9r\u00e9s", + "TabSuggestions": "Suggestions", + "TabLatest": "Plus r\u00e9cents", + "TabUpcoming": "\u00c0 venir", + "TabShows": "S\u00e9ries", + "TabEpisodes": "\u00c9pisodes", + "TabGenres": "Genres", + "TabPeople": "Personnes", + "TabNetworks": "R\u00e9seaux", + "HeaderUsers": "Utilisateurs", + "HeaderFilters": "Filtres:", + "ButtonFilter": "Filtre", + "OptionFavorite": "Favoris", + "OptionLikes": "Aim\u00e9s", + "OptionDislikes": "Non aim\u00e9s", "OptionActors": "Acteur(trice)s", - "TangibleSoftwareMessage": "Utilisation de convertisseurs Tangible Solutions Java\/C# par licence fournie.", "OptionGuestStars": "Invit\u00e9s sp\u00e9ciaux", - "HeaderCredits": "Cr\u00e9dits", "OptionDirectors": "R\u00e9alisateurs", - "TabCollections": "Collections", "OptionWriters": "Auteur(e)s", - "TabFavorites": "Favoris", "OptionProducers": "Producteurs", - "TabMyLibrary": "Ma Biblioth\u00e8que", - "HeaderServices": "Services", "HeaderResume": "Reprendre", - "LabelCustomizeOptionsPerMediaType": "Personnaliser pour le type de m\u00e9dia:", "HeaderNextUp": "Prochains \u00e0 voir", "NoNextUpItemsMessage": "Aucun \u00e9l\u00e9ment trouv\u00e9. Commencez \u00e0 regarder vos s\u00e9ries!", "HeaderLatestEpisodes": "\u00c9pisodes les plus r\u00e9cents", @@ -219,42 +200,32 @@ "TabMusicVideos": "Videos musicales", "ButtonSort": "Tri", "HeaderSortBy": "Trier par:", - "OptionEnableAccessToAllChannels": "Activer l'acc\u00e8s \u00e0 toutes les cha\u00eenes", "HeaderSortOrder": "Ordre de tri :", - "LabelAutomaticUpdates": "Activer les mises \u00e0 jour automatiques", "OptionPlayed": "Lu", - "LabelFanartApiKey": "Cl\u00e9 d'api personnelle :", "OptionUnplayed": "Non lu", - "LabelFanartApiKeyHelp": "Les requ\u00eates de fanart sans cl\u00e9 d'api personnelle renvoient des r\u00e9sultats approuv\u00e9s il y a plus de 7 jours. Avec une cl\u00e9 d'api personnelle, cette valeur tombe \u00e0 48 heures, et si vous \u00eates aussi membre fanart VIP, cette valeur tombera encore plus, \u00e0 environ 10 minutes.", "OptionAscending": "Ascendant", "OptionDescending": "Descendant", "OptionRuntime": "Dur\u00e9e", + "OptionReleaseDate": "Date de sortie", "OptionPlayCount": "Nombre de lectures", "OptionDatePlayed": "Date lu", - "HeaderRepeatingOptions": "Options de r\u00e9p\u00e9tition", "OptionDateAdded": "Date d'ajout", - "HeaderTV": "TV", "OptionAlbumArtist": "Artiste de l'album", - "HeaderTermsOfService": "Conditions d'utilisation de Emby", - "LabelCustomCss": "Css personnalis\u00e9e :", - "OptionDetectArchiveFilesAsMedia": "Reconna\u00eetre les fichiers archives comme m\u00e9dias", "OptionArtist": "Artiste", - "MessagePleaseAcceptTermsOfService": "Veuillez accepter les conditions d'utilisations et la politique de confidentialit\u00e9 avant de continuer.", - "OptionDetectArchiveFilesAsMediaHelp": "Activez cette option pour reconna\u00eetre les fichiers portant l'extension .rar ou .zip comme des fichiers de m\u00e9dias. ", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "J'accepte les conditions d'utilisation.", - "LabelCustomCssHelp": "Appliquez votre propre feuille de styles css personnalis\u00e9e \u00e0 l'interface web.", "OptionTrackName": "Titre", - "ButtonPrivacyPolicy": "Politique de confidentialit\u00e9", - "LabelSelectUsers": "S\u00e9lectionner des utilisateurs:", "OptionCommunityRating": "Note de la communaut\u00e9", - "ButtonTermsOfService": "Conditions d'utilisation", "OptionNameSort": "Nom", + "OptionFolderSort": "R\u00e9pertoires", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Recommand\u00e9 pour les comptes administrateurs priv\u00e9s ou cach\u00e9s. L'utilisateur devra s'authentifier manuellement en entrant son login et mot de passe.", "OptionRevenue": "Recettes", "OptionPoster": "Affiche", + "OptionPosterCard": "Carte Affiche", + "OptionBackdrop": "Image d'arri\u00e8re-plan", "OptionTimeline": "Chronologie", + "OptionThumb": "Vignette", + "OptionThumbCard": "Carte Vignette", + "OptionBanner": "Banni\u00e8re", "OptionCriticRating": "Note des critiques", "OptionVideoBitrate": "D\u00e9bit vid\u00e9o", "OptionResumable": "Reprise possible", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "T\u00e2ches planifi\u00e9es", "TabMyPlugins": "Mes plugins", "TabCatalog": "Catalogue", - "ThisWizardWillGuideYou": "Cet assistant vous guidera dans le processus de configuration. Pour commencer, merci de s\u00e9lectionner votre langue pr\u00e9f\u00e9r\u00e9e.", - "TellUsAboutYourself": "Parlez-nous de vous", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Mises \u00e0 jour automatiques", - "LabelYourFirstName": "Votre pr\u00e9nom:", - "LabelPinCode": "Code PIN:", - "MoreUsersCanBeAddedLater": "D'autres utilisateurs pourront \u00eatre ajout\u00e9s ult\u00e9rieurement \u00e0 partir du tableau de bord.", "HeaderNowPlaying": "Lecture en cours", - "UserProfilesIntro": "Emby supporte nativement les profils utilisateurs, les pr\u00e9f\u00e9rences d'affichage, la sauvegarde de l'\u00e9tat de lecture et le contr\u00f4le parental.", "HeaderLatestAlbums": "Derniers albums", - "LabelWindowsService": "Service Windows", "HeaderLatestSongs": "Derni\u00e8res chansons", - "ButtonExit": "Sortie", - "ButtonConvertMedia": "Convertir le m\u00e9dia", - "AWindowsServiceHasBeenInstalled": "Un service Windows a \u00e9t\u00e9 install\u00e9.", "HeaderRecentlyPlayed": "Lus r\u00e9cemment", - "LabelTimeLimitHours": "Limite de temps (heures) :", - "WindowsServiceIntro1": "Le serveur Emby fonctionne comme une application de bureau avec une icone de notification, mais si vous pr\u00e9f\u00e9rez qu'il tourne comme un service en tache de fond, il peut \u00eatre d\u00e9marrer \u00e0 partir du panneau de controle des services windows.", "HeaderFrequentlyPlayed": "Fr\u00e9quemment lus", - "ButtonOrganize": "Organiser", - "WindowsServiceIntro2": "Si le service Windows est utilis\u00e9, veuillez noter qu'il ne peut pas fonctionner en m\u00eame temps que l'application dans la barre des t\u00e2ches, vous devrez donc fermer l'application de la barre des t\u00e2ches pour pouvoir ex\u00e9cuter le service. Le service devra aussi \u00eatre configur\u00e9 avec les droits administrateurs via le panneau de configuration. Veuillez noter qu'actuellement, la mise \u00e0 jour automatique du service n'est pas disponible, les mises \u00e0 jour devront donc se faire manuellement.", "DevBuildWarning": "Les versions Dev incorporent les tous derniers d\u00e9veloppements. Mises \u00e0 jour fr\u00e9quemment, ces versions ne sont pas test\u00e9es. L'application peut planter et il se peut que des pans entiers de fonctionnalit\u00e9s soient d\u00e9faillants.", - "HeaderGrownupsOnly": "R\u00e9serv\u00e9 aux adultes !", - "WizardCompleted": "C'est tout ce dont nous avons besoin pour l'instant. Emby a commenc\u00e9 \u00e0 collecter les informations de votre biblioth\u00e8que de m\u00e9dias. Jetez un oeil \u00e0 quelques unes de nos applications, puis cliquez sur Terminer<\/b> pour consulter le Tableau de bord du serveur<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Rejoignez l'\u00e9quipe de d\u00e9veloppement", - "LabelConfigureSettings": "Configurer les param\u00e8tres", - "LabelEnableVideoImageExtraction": "Activer l'extraction d'images des videos", - "DividerOr": "-- ou --", - "OptionEnableAccessToAllLibraries": "Activer l'acc\u00e8s \u00e0 toutes les librairies", - "VideoImageExtractionHelp": "Pour les vid\u00e9os sans image et pour lesquelles nous n'avons pas trouv\u00e9 d'images sur Internet. Ce processus prolongera la mise \u00e0 jour initiale de la biblioth\u00e8que mais offrira un meilleur rendu visuel.", - "LabelEnableChapterImageExtractionForMovies": "Extraire les images de chapitres des films", - "HeaderInstalledServices": "Services install\u00e9s", - "LabelChapterImageExtractionForMoviesHelp": "L'extraction d'images de chapitres permettra aux clients d'afficher des menus visuels pour la s\u00e9lection des sc\u00e8nes. Le processus peut \u00eatre long et consommateur de ressources du processeur et de stockage (plusieurs gigaoctets). Il s'ex\u00e9cute comme t\u00e2che programm\u00e9e mais son param\u00e9trage peut \u00eatre modifi\u00e9 dans les options des t\u00e2ches programm\u00e9es. Il est d\u00e9conseill\u00e9 d'ex\u00e9cuter cette t\u00e2che durant les heures d'utilisation normales.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "Veuillez entrez votre code Easy PIN :", - "LabelEnableAutomaticPortMapping": "Activer la configuration automatique de port", - "HeaderSupporterBenefits": "Avantages de supporteur", - "LabelEnableAutomaticPortMappingHelp": "UPnP permet la configuration automatique des routeurs pour un acc\u00e8s \u00e0 distance facile. Ceci peut ne pas fonctionner sur certains mod\u00e8les de routeur.", - "HeaderAvailableServices": "Services disponibles", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Cliquez sur l'ic\u00f4ne en forme de cadenas en bas \u00e0 droite pour configurer ou quitter le mode Enfants. Votre code PIN sera requis.", - "ButtonCancel": "Annuler", - "HeaderAddUser": "Ajouter un utilisateur", - "HeaderSetupLibrary": "Configurer votre biblioth\u00e8que de m\u00e9dia", - "MessageNoServicesInstalled": "Aucun service n'est actuellement install\u00e9.", - "ButtonAddMediaFolder": "Ajouter un r\u00e9pertoire de m\u00e9dia", - "ButtonConfigurePinCode": "Configurer le code PIN", - "LabelFolderType": "Type de r\u00e9pertoire:", - "LabelAddConnectSupporterHelp": "Pour ajouter un utilisateur non list\u00e9, vous devrez d'abord lier son compte \u00e0 Emby Connect depuis sa page de profil utilisateur.", - "ReferToMediaLibraryWiki": "Se r\u00e9f\u00e9rer au wiki des biblioth\u00e8ques de m\u00e9dia", - "HeaderAdultsReadHere": "Section r\u00e9serv\u00e9e aux adultes!", - "LabelCountry": "Pays:", - "LabelLanguage": "Langue:", - "HeaderPreferredMetadataLanguage": "Langue pr\u00e9f\u00e9r\u00e9e pour les m\u00e9tadonn\u00e9es:", - "LabelEnableEnhancedMovies": "Activer le mode d'affichage \u00e9tendu des films", - "LabelSaveLocalMetadata": "Enregistrer les images et m\u00e9tadonn\u00e9es dans les r\u00e9pertoires de m\u00e9dia", - "LabelSaveLocalMetadataHelp": "L'enregistrement des images et des m\u00e9tadonn\u00e9es dans le r\u00e9pertoire de m\u00e9dia les placera \u00e0 un endroit o\u00f9 elles seront facilement modifiables.", - "LabelDownloadInternetMetadata": "T\u00e9l\u00e9charger les images et m\u00e9tadonn\u00e9es depuis Internet", - "LabelEnableEnhancedMoviesHelp": "Lorsque ce mode est activ\u00e9, les films seront affich\u00e9s comme des dossiers et incluront les bandes-annonces, les extras, l'\u00e9quipe de tournage et les autre contenus li\u00e9s.", - "HeaderDeviceAccess": "Acc\u00e8s \u00e0 l'appareil", - "LabelDownloadInternetMetadataHelp": "Le serveur Emby peut t\u00e9l\u00e9charger les informations des m\u00e9dias pour donner une pr\u00e9sentation riche.", - "OptionThumb": "Vignette", - "LabelExit": "Quitter", - "OptionBanner": "Banni\u00e8re", - "LabelVisitCommunity": "Visiter la Communaut\u00e9", "LabelVideoType": "Type de vid\u00e9o:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Standard", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Autoriser l'acc\u00e8s \u00e0 tous les appareils", - "LabelBrowseLibrary": "Parcourir la biblioth\u00e8que", "LabelFeatures": "Caract\u00e9ristiques :", - "DeviceAccessHelp": "Ceci ne s'applique qu'aux appareils qui peuvent \u00eatre identifi\u00e9s de mani\u00e8re unique et qui n'emp\u00eachent pas l'acc\u00e8s au navigateur. Le filtrage de l'acc\u00e8s aux appareil par utilisateur emp\u00eachera l'utilisation de nouveaux appareils jusqu'\u00e0 ce qu'ils soient approuv\u00e9s ici.", - "ChannelAccessHelp": "S\u00e9lectionner les cha\u00eenes \u00e0 partager avec cet utilisateur. Les administrateurs pourront modifier toutes les cha\u00eenes par le gestionnaire de m\u00e9tadonn\u00e9es.", + "LabelService": "Service :", + "LabelStatus": "Statut:", + "LabelVersion": "Version :", + "LabelLastResult": "Dernier r\u00e9sultat :", "OptionHasSubtitles": "Sous-titres", - "LabelOpenLibraryViewer": "Ouvrir le navigateur de biblioth\u00e8que", "OptionHasTrailer": "Bande-annonce", - "LabelRestartServer": "Red\u00e9marrer le Serveur", "OptionHasThemeSong": "Chanson th\u00e8me", - "LabelShowLogWindow": "Afficher la fen\u00eatre du journal d'\u00e9v\u00e8nements", "OptionHasThemeVideo": "Vid\u00e9o th\u00e8me", - "LabelPrevious": "Pr\u00e9c\u00e9dent", "TabMovies": "Films", - "LabelFinish": "Terminer", "TabStudios": "Studios", - "FolderTypeMixed": "Contenus m\u00e9lang\u00e9s", - "LabelNext": "Suivant", "TabTrailers": "Bandes-annonces", - "FolderTypeMovies": "Films", - "LabelYoureDone": "Vous avez Termin\u00e9!", + "LabelArtists": "Artistes", + "LabelArtistsHelp": "S\u00e9parer les \u00e9l\u00e9ments par un point-virgule ;", "HeaderLatestMovies": "Films les plus r\u00e9cents", - "FolderTypeMusic": "Musique", - "ButtonPlayTrailer": "Bande-annonce", - "HeaderSyncRequiresSupporterMembership": "Sync n\u00e9cessite un abonnement actif comme supporteur", "HeaderLatestTrailers": "Derni\u00e8res bandes-annonces", - "FolderTypeAdultVideos": "Vid\u00e9os Adultes", "OptionHasSpecialFeatures": "Bonus", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Soumettre", - "HeaderEnjoyDayTrial": "Profitez d'une p\u00e9riode d'essai de 14 jours", "OptionImdbRating": "Note IMDb", - "FolderTypeMusicVideos": "Vid\u00e9os Musical", - "LabelFailed": "\u00c9chou\u00e9", "OptionParentalRating": "Classification parentale", - "FolderTypeHomeVideos": "Vid\u00e9os personnelles", - "LabelSeries": "S\u00e9ries :", "OptionPremiereDate": "Date de la premi\u00e8re", - "FolderTypeGames": "Jeux", - "ButtonRefresh": "Actualiser", "TabBasic": "Standard", - "FolderTypeBooks": "Livres", - "HeaderPlaybackSettings": "Param\u00e8tres de lecture", "TabAdvanced": "Avanc\u00e9", - "FolderTypeTvShows": "TV", "HeaderStatus": "\u00c9tat", "OptionContinuing": "En continuation", "OptionEnded": "Termin\u00e9", - "HeaderSync": "Sync", - "TabPreferences": "Pr\u00e9f\u00e9rences", "HeaderAirDays": "Jours de diffusion", - "OptionReleaseDate": "Date de sortie", - "TabPassword": "Mot de passe", - "HeaderEasyPinCode": "Code Easy Pin", "OptionSunday": "Dimanche", - "LabelArtists": "Artistes", - "TabLibraryAccess": "Acc\u00e8s aux biblioth\u00e8ques", - "TitleAutoOrganize": "Auto-organisation", "OptionMonday": "Lundi", - "LabelArtistsHelp": "S\u00e9parer les \u00e9l\u00e9ments par un point-virgule ;", - "TabImage": "Image", - "TabActivityLog": "Journal d'activit\u00e9s", "OptionTuesday": "Mardi", - "ButtonAdvancedRefresh": "Mise \u00e0 jour avanc\u00e9e", - "TabProfile": "Profil", - "HeaderName": "Nom", "OptionWednesday": "Mercredi", - "LabelDisplayMissingEpisodesWithinSeasons": "Afficher les \u00e9pisodes manquants dans les saisons", - "HeaderDate": "Date", "OptionThursday": "Jeudi", - "LabelUnairedMissingEpisodesWithinSeasons": "Afficher les \u00e9pisodes non diffus\u00e9s dans les saisons", - "HeaderSource": "Source", "OptionFriday": "Vendredi", - "ButtonAddLocalUser": "Ajouter un utilisateur local", - "HeaderVideoPlaybackSettings": "Param\u00e8tres de lecture video", - "HeaderDestination": "Destination", "OptionSaturday": "Samedi", - "LabelAudioLanguagePreference": "Param\u00e8tres de langue audio:", - "HeaderProgram": "Programme", "HeaderManagement": "Gestion", - "OptionMissingTmdbId": "ID TMDb manquant", - "LabelSubtitleLanguagePreference": "Param\u00e8tres de langue de sous-titre", - "HeaderClients": "Clients", + "LabelManagement": "Gestion :", "OptionMissingImdbId": "Identifiant IMDb manquant", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Termin\u00e9 avec succ\u00e8s", "OptionMissingTvdbId": "Identifiant TheTVDB manquant", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Guide de d\u00e9marrage rapide", - "TabProfiles": "Profils", "OptionMissingOverview": "R\u00e9sum\u00e9 manquant", - "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "T\u00e2che de synchronisation", - "TabSecurity": "S\u00e9curit\u00e9", - "HeaderVideo": "Vid\u00e9o", - "LabelSkipped": "Saut\u00e9", "OptionFileMetadataYearMismatch": "Conflit entre nom du fichier et les m\u00e9tadonn\u00e9es sur l'ann\u00e9e", + "TabGeneral": "G\u00e9n\u00e9ral", + "TitleSupport": "Assistance", + "LabelSeasonNumber": "Season number", + "TabLog": "Journal d'\u00e9v\u00e9nements", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u00c0 propos", + "TabSupporterKey": "Cl\u00e9 de membre supporteur", + "TabBecomeSupporter": "Devenir un suporteur", + "ProjectHasCommunity": "Emby b\u00e9n\u00e9ficie d'une communaut\u00e9 florissante d'utilisateurs et de contributeurs.", + "CheckoutKnowledgeBase": "Jetez un oeil \u00e0 notre base de connaissance pour tirer le meilleur parti d'Emby.", + "SearchKnowledgeBase": "Rechercher dans la base de connaissances", + "VisitTheCommunity": "Visiter la Communaut\u00e9", + "VisitProjectWebsite": "Visiter le site web de Emby", + "VisitProjectWebsiteLong": "Consultez le site web d'Emby pour vous tenir inform\u00e9 des derni\u00e8res actualit\u00e9s et billets du blog des d\u00e9veloppeurs.", + "OptionHideUser": "Ne pas afficher cet utilisateur dans les \u00e9crans de connexion", + "OptionHideUserFromLoginHelp": "Recommand\u00e9 pour les comptes administrateurs priv\u00e9s ou cach\u00e9s. L'utilisateur devra s'authentifier manuellement en entrant son login et mot de passe.", + "OptionDisableUser": "D\u00e9sactiver cet utilisateur", + "OptionDisableUserHelp": "Si d\u00e9sactiv\u00e9, le serveur n'autorisera pas de connexion de cet utilisateur. Les connexions existantes seront interrompues.", + "HeaderAdvancedControl": "Contr\u00f4le avanc\u00e9", + "LabelName": "Nom", + "ButtonHelp": "Aide", + "OptionAllowUserToManageServer": "Autoriser la gestion du serveur \u00e0 cet utilisateur", + "HeaderFeatureAccess": "Acc\u00e8s aux fonctionnalit\u00e9s", + "OptionAllowMediaPlayback": "Autoriser la lecture de m\u00e9dias", + "OptionAllowBrowsingLiveTv": "Autoriser l'acc\u00e8s \u00e0 la TV Live", + "OptionAllowDeleteLibraryContent": "Autoriser la suppression de m\u00e9dias", + "OptionAllowManageLiveTv": "Autoriser la gestion des enregistrements de TV Live", + "OptionAllowRemoteControlOthers": "Autoriser le contr\u00f4le \u00e0 distance des autres utilisateurs", + "OptionAllowRemoteSharedDevices": "Autoriser le contr\u00f4le \u00e0 distance des appareils partag\u00e9s", + "OptionAllowRemoteSharedDevicesHelp": "Les p\u00e9riph\u00e9riques Dlna sont consid\u00e9r\u00e9s comme partag\u00e9s tant qu'un utilisateur ne commence pas \u00e0 le contr\u00f4ler.", + "OptionAllowLinkSharing": "Autoriser le partage sur les r\u00e9seaux sociaux", + "OptionAllowLinkSharingHelp": "Seul les pages web contenant des informations sur les m\u00e9dias sont partag\u00e9s. Les fichiers de m\u00e9dias ne sont jamais publi\u00e9s publiquement. Les partages ont un temps limit\u00e9s et expirent en fonctions de vos param\u00e8tres de paratage du serveur.", + "HeaderSharing": "Partage", + "HeaderRemoteControl": "Contr\u00f4le \u00e0 distance", + "OptionMissingTmdbId": "ID TMDb manquant", + "OptionIsHD": "HD", + "OptionIsSD": "SD", + "OptionMetascore": "Metascore", "ButtonSelect": "S\u00e9lectionner", - "ButtonAddUser": "Ajouter utilisateur", - "HeaderEpisodeOrganization": "Organisation des \u00e9pisodes", - "TabGeneral": "G\u00e9n\u00e9ral", "ButtonGroupVersions": "Versions des groupes", - "TabGuide": "Guide horaire", - "ButtonSave": "Sauvegarder", - "TitleSupport": "Assistance", + "ButtonAddToCollection": "Ajouter \u00e0 une collection", "PismoMessage": "Utilisation de \"Pismo File Mount\" par une licence fournie.", - "TabChannels": "Cha\u00eenes", - "ButtonResetPassword": "R\u00e9initialiser le mot de passe", - "LabelSeasonNumber": "Num\u00e9ro de la saison:", - "TabLog": "Journal d'\u00e9v\u00e9nements", + "TangibleSoftwareMessage": "Utilisation de convertisseurs Tangible Solutions Java\/C# par licence fournie.", + "HeaderCredits": "Cr\u00e9dits", "PleaseSupportOtherProduces": "Merci de soutenir les autres produits gratuits que nous utilisons :", - "HeaderChannels": "Cha\u00eenes", - "LabelNewPassword": "Nouveau mot de passe :", - "LabelEpisodeNumber": "Num\u00e9ro de l'\u00e9pisode:", - "TabAbout": "\u00c0 propos", "VersionNumber": "Version {0}", - "TabRecordings": "Enregistrements", - "LabelNewPasswordConfirm": "Confirmer le nouveau mot de passe :", - "LabelEndingEpisodeNumber": "Num\u00e9ro d'\u00e9pisode final:", - "TabSupporterKey": "Cl\u00e9 de membre supporteur", "TabPaths": "Chemins d'acc\u00e8s", - "TabScheduled": "Planifi\u00e9s", - "HeaderCreatePassword": "Cr\u00e9er un mot de passe", - "LabelEndingEpisodeNumberHelp": "Uniquement requis pour les fichiers multi-\u00e9pisodes", - "TabBecomeSupporter": "Devenir un suporteur", "TabServer": "Serveur", - "TabSeries": "S\u00e9ries", - "LabelCurrentPassword": "Mot de passe actuel :", - "HeaderSupportTheTeam": "Aidez l'\u00e9quipe Emby", "TabTranscoding": "Transcodage", - "ButtonCancelRecording": "Annuler l'enregistrement", - "LabelMaxParentalRating": "Note maximale d'\u00e9valuation de contr\u00f4le parental:", - "LabelSupportAmount": "Montant (USD)", - "CheckoutKnowledgeBase": "Jetez un oeil \u00e0 notre base de connaissance pour tirer le meilleur parti d'Emby.", "TitleAdvanced": "Avanc\u00e9", - "HeaderPrePostPadding": "Pr\u00e9-remplissage", - "MaxParentalRatingHelp": "Le contenu avec une note d'\u00e9valuation de contr\u00f4le parental plus \u00e9lev\u00e9e ne sera pas visible par cet utilisateur.", - "HeaderSupportTheTeamHelp": "Aidez la poursuite du d\u00e9veloppement de ce projet en effectuant un don. Une part de ce don contribuera au d\u00e9veloppement d'autres produits gratuits dont nous d\u00e9pendons.", - "SearchKnowledgeBase": "Rechercher dans la base de connaissances", "LabelAutomaticUpdateLevel": "Mise \u00e0 jour automatiques", - "LabelPrePaddingMinutes": "Minutes de Pr\u00e9-remplissage:", - "LibraryAccessHelp": "Selectionnez le r\u00e9pertoire de m\u00e9dia \u00e0 partager avec cet utilisateur. Les administrateurs pourront modifier tous les r\u00e9pertoires en utilisant le gestionnaire de m\u00e9tadonn\u00e9es.", - "ButtonEnterSupporterKey": "Entrer la cl\u00e9 de supporteur", - "VisitTheCommunity": "Visiter la Communaut\u00e9", + "OptionRelease": "Version officielle", + "OptionBeta": "Beta", + "OptionDev": "Dev (Instable)", "LabelAllowServerAutoRestart": "Autoriser le red\u00e9marrage automatique du serveur pour appliquer les mises \u00e0 jour", - "OptionPrePaddingRequired": "Le pr\u00e9-remplissage est requis pour enregistrer.", - "OptionNoSubtitles": "Aucun sous-titre", - "DonationNextStep": "Une fois termin\u00e9, veuillez revenir saisir la cl\u00e9 de supporteur re\u00e7ue par courriel.", "LabelAllowServerAutoRestartHelp": "Le serveur ne red\u00e9marrera que pendant les p\u00e9riodes d'inactivit\u00e9, quand aucun utilisateur n'est connect\u00e9.", - "LabelPostPaddingMinutes": "Minutes de \"post-padding\":", - "AutoOrganizeHelp": "L'auto-organisation d\u00e9tecte les nouveaux fichiers dans vos r\u00e9pertoires de t\u00e9l\u00e9chargement, puis les d\u00e9place dans vos r\u00e9pertoires de m\u00e9dias.", "LabelEnableDebugLogging": "Activer le d\u00e9boguage dans le journal d'\u00e9n\u00e8nements", - "OptionPostPaddingRequired": "Le \"post-padding\" est requis pour enregistrer.", - "AutoOrganizeTvHelp": "L'auto-organisation de fichiers TV ne traitera que l'ajout de nouveaux \u00e9pisodes aux s\u00e9ries existantes. Ce processus ne cr\u00e9era pas de nouveaux r\u00e9pertoires de s\u00e9rie.", - "OptionHideUser": "Ne pas afficher cet utilisateur dans les \u00e9crans de connexion", "LabelRunServerAtStartup": "D\u00e9marrer le serveur au d\u00e9marrage", - "HeaderWhatsOnTV": "\u00c0 l'affiche", - "ButtonNew": "Nouveau", - "OptionEnableEpisodeOrganization": "Activer l'auto-organisation des nouveaux \u00e9pisodes", - "OptionDisableUser": "D\u00e9sactiver cet utilisateur", "LabelRunServerAtStartupHelp": "Ceci va d\u00e9marrer l'ic\u00f4ne dans la barre des t\u00e2ches au d\u00e9marrage de Windows. Pour d\u00e9marrer le service Windows, d\u00e9cochez cette case et ex\u00e9cutez le service \u00e0 partir du panneau de configuration Windows. Veuillez noter que vous ne pouvez pas ex\u00e9cuter les deux en m\u00eame temps ; par cons\u00e9quent, vous devrez fermer l'ic\u00f4ne dans la barre des t\u00e2ches avant de d\u00e9marrer le service.", - "HeaderUpcomingTV": "TV \u00e0 venir", - "TabMetadata": "M\u00e9tadonn\u00e9es", - "LabelWatchFolder": "R\u00e9pertoire \u00e0 surveiller :", - "OptionDisableUserHelp": "Si d\u00e9sactiv\u00e9, le serveur n'autorisera pas de connexion de cet utilisateur. Les connexions existantes seront interrompues.", "ButtonSelectDirectory": "S\u00e9lectionner le r\u00e9pertoire", - "TabStatus": "\u00c9tat", - "TabImages": "Images", - "LabelWatchFolderHelp": "Le serveur va utiliser ce r\u00e9pertoire pendant la t\u00e2che \"Organiser les nouveaux fichiers de m\u00e9dias\".", - "HeaderAdvancedControl": "Contr\u00f4le avanc\u00e9", "LabelCustomPaths": "Sp\u00e9cifier des chemins d'acc\u00e8s personnalis\u00e9s. Laissez vide pour conserver les chemins d'acc\u00e8s par d\u00e9faut.", - "TabSettings": "Param\u00e8tres", - "TabCollectionTitles": "Titres", - "TabPlaylist": "Liste de lecture", - "ButtonViewScheduledTasks": "Voir les t\u00e2ches planifi\u00e9es", - "LabelName": "Nom", "LabelCachePath": "Chemin du cache :", - "ButtonRefreshGuideData": "Rafra\u00eechir les donn\u00e9es du guide horaire.", - "LabelMinFileSizeForOrganize": "Taille de fichier minimum (Mo) :", - "OptionAllowUserToManageServer": "Autoriser la gestion du serveur \u00e0 cet utilisateur", "LabelCachePathHelp": "Veuillez sp\u00e9cifier un emplacement personnalis\u00e9 pour les fichier temporaires du serveur, comme par exemple les images.", - "OptionPriority": "Priorit\u00e9", - "ButtonRemove": "Supprimer", - "LabelMinFileSizeForOrganizeHelp": "Les fichiers dont la taille est inf\u00e9rieure \u00e0 cette valeur seront ignor\u00e9s.", - "HeaderFeatureAccess": "Acc\u00e8s aux fonctionnalit\u00e9s", "LabelImagesByNamePath": "R\u00e9pertoire de stockage des images t\u00e9l\u00e9charg\u00e9es :", - "OptionRecordOnAllChannels": "Enregistrer sur toutes les cha\u00eenes", - "EditCollectionItemsHelp": "Ajoutez ou supprimez n'importe quel film, s\u00e9rie, album, livre ou jeux que vous souhaitez grouper dans cette collection.", - "TabAccess": "Acc\u00e8s", - "LabelSeasonFolderPattern": "Mod\u00e8le de r\u00e9pertoire de saison:", - "OptionAllowMediaPlayback": "Autoriser la lecture de m\u00e9dias", "LabelImagesByNamePathHelp": "Veuillez sp\u00e9cifier un emplacement personnalis\u00e9 pour les images t\u00e9l\u00e9charg\u00e9es d'acteurs, artistes, genre, et studios .", - "OptionRecordAnytime": "Enregistrer \u00e0 n'importe quelle heure\/journ\u00e9e", - "HeaderAddTitles": "Ajouter des \u00e9l\u00e9ments", - "OptionAllowBrowsingLiveTv": "Autoriser l'acc\u00e8s \u00e0 la TV Live", "LabelMetadataPath": "Chemin des m\u00e9tadonn\u00e9es :", - "OptionRecordOnlyNewEpisodes": "Enregistrer seulement les nouveaux \u00e9pisodes", - "LabelEnableDlnaPlayTo": "Activer DLNA \"Lire sur\"", - "OptionAllowDeleteLibraryContent": "Autoriser la suppression de m\u00e9dias", "LabelMetadataPathHelp": "Veuillez sp\u00e9cifier un emplacement personnalis\u00e9 pour les images d'art et les m\u00e9tadonn\u00e9es t\u00e9l\u00e9charg\u00e9es. Par d\u00e9faut, stockage dans le r\u00e9pertoire de m\u00e9dias.", - "HeaderDays": "Jours", - "LabelEnableDlnaPlayToHelp": "Emby peut d\u00e9tecter les p\u00e9riph\u00e9riques de votre r\u00e9seau et offre la possibilit\u00e9 de les controler \u00e0 distance.", - "OptionAllowManageLiveTv": "Autoriser la gestion des enregistrements de TV Live", "LabelTranscodingTempPath": "Chemin d'acc\u00e8s du r\u00e9pertoire temporaire de transcodage :", + "LabelTranscodingTempPathHelp": "Ce r\u00e9pertoire contient les fichiers temporaires utilis\u00e9s par le transcodeur. Sp\u00e9cifier un chemin personnel ou laiss\u00e9 vide pour utilise le chemin par d\u00e9faut des r\u00e9pertoires du serveur", + "TabBasics": "Standards", + "TabTV": "TV", + "TabGames": "Jeux", + "TabMusic": "Musique", + "TabOthers": "Autres", + "HeaderExtractChapterImagesFor": "Extraire les images de chapitres pour :", + "OptionMovies": "Films", + "OptionEpisodes": "\u00c9pisodes", + "OptionOtherVideos": "Autres vid\u00e9os", + "TitleMetadata": "M\u00e9tadonn\u00e9es", + "LabelAutomaticUpdates": "Activer les mises \u00e0 jour automatiques", + "LabelAutomaticUpdatesTmdb": "Activer les mises \u00e0 jour automatique depuis TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Activer les mises \u00e0 jour automatique depuis TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles sont 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 sont 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 sont ajout\u00e9es dans TheTVDB.com. Les images existantes ne seront pas remplac\u00e9es.", + "LabelFanartApiKey": "Cl\u00e9 d'api personnelle :", + "LabelFanartApiKeyHelp": "Les requ\u00eates de fanart sans cl\u00e9 d'api personnelle renvoient des r\u00e9sultats approuv\u00e9s il y a plus de 7 jours. Avec une cl\u00e9 d'api personnelle, cette valeur tombe \u00e0 48 heures, et si vous \u00eates aussi membre fanart VIP, cette valeur tombera encore plus, \u00e0 environ 10 minutes.", + "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. 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": "Emby reconnait les images de la plupart des applications de partage de m\u00e9dias. Le choix d'un format de t\u00e9l\u00e9chargement n'est utile que si vous utilisez \u00e9galement d'autres produits.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 sur toutes les cha\u00eenes", + "OptionRecordAnytime": "Enregistrer \u00e0 n'importe quelle heure\/journ\u00e9e", + "OptionRecordOnlyNewEpisodes": "Enregistrer seulement les nouveaux \u00e9pisodes", + "HeaderRepeatingOptions": "Options de r\u00e9p\u00e9tition", + "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 permet de programmer des enregistrements plus longtemps \u00e0 l'avance et de visualiser plus de contenus, mais prendra \u00e9galement plus de temps. \"Auto\" permettra une s\u00e9lection automatique bas\u00e9e sur le nombre de cha\u00eenes.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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", + "HeaderAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur", + "ButtonAdd": "Ajouter", + "LabelTriggerType": "Type de d\u00e9clencheur:", + "OptionDaily": "Quotidien", + "OptionWeekly": "Hebdomadaire", + "OptionOnInterval": "Par intervalle", + "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 des saisons 0 \/ hors-saison :", + "LabelEnableRealtimeMonitor": "Activer la surveillance en temps r\u00e9el", + "LabelEnableRealtimeMonitorHelp": "Les changements seront trait\u00e9s imm\u00e9diatement, sur les syst\u00e8mes de fichiers qui le permettent.", + "ButtonScanLibrary": "Scanner la 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 une substitution", + "OptionSpecialEpisode": "Sp\u00e9ciaux", + "OptionMissingEpisode": "\u00c9pisodes manquantes", + "OptionUnairedEpisode": "\u00c9pisodes non diffus\u00e9s", + "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": "Qualit\u00e9 plus basse, mais encodage plus rapide", + "OptionHighQualityTranscodingHelp": "Qualit\u00e9 plus haute, 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 cr\u00e9era un journal d\u2019\u00e9v\u00e9nements tr\u00e8s volumineux et n'est recommand\u00e9 que pour des besoins de diagnostic d'erreur.", + "EditCollectionItemsHelp": "Ajoutez ou supprimez n'importe quel film, s\u00e9rie, album, livre ou jeux que vous souhaitez grouper dans cette collection.", + "HeaderAddTitles": "Ajouter des \u00e9l\u00e9ments", + "LabelEnableDlnaPlayTo": "Activer DLNA \"Lire sur\"", + "LabelEnableDlnaPlayToHelp": "Emby peut d\u00e9tecter les p\u00e9riph\u00e9riques de votre r\u00e9seau et offre la possibilit\u00e9 de les controler \u00e0 distance.", "LabelEnableDlnaDebugLogging": "Activer le d\u00e9bogage DLNA dans le journal d'\u00e9v\u00e9nements", - "OptionAllowRemoteControlOthers": "Autoriser le contr\u00f4le \u00e0 distance des autres utilisateurs", - "LabelTranscodingTempPathHelp": "Ce r\u00e9pertoire contient les fichiers temporaires utilis\u00e9s par le transcodeur. Sp\u00e9cifier un chemin personnel ou laiss\u00e9 vide pour utilise le chemin par d\u00e9faut des r\u00e9pertoires du serveur", - "HeaderLatestRecordings": "Derniers enregistrements", "LabelEnableDlnaDebugLoggingHelp": "Ceci va g\u00e9n\u00e9rer de gros fichiers de journal d'\u00e9v\u00e9nements et ne devrait \u00eatre utiliser seulement pour des besoins de diagnostic d'erreur.", - "TabBasics": "Standards", - "HeaderAllRecordings": "Tous les enregistrements", "LabelEnableDlnaClientDiscoveryInterval": "Intervalle de d\u00e9couverte des clients (secondes)", - "LabelEnterConnectUserName": "Nom d'utilisateur ou adresse mail :", - "TabTV": "TV", - "LabelService": "Service :", - "ButtonPlay": "Lire", "LabelEnableDlnaClientDiscoveryIntervalHelp": "D\u00e9termine la dur\u00e9e en secondes entre les recherches SSDP ex\u00e9cut\u00e9es par Emby.", - "LabelEnterConnectUserNameHelp": "C'est le nom d'utilisateur ou mot de passe de votre compte Emby en ligne.", - "TabGames": "Jeux", - "LabelStatus": "Statut:", - "ButtonEdit": "Modifier", "HeaderCustomDlnaProfiles": "Profils personnalis\u00e9s", - "TabMusic": "Musique", - "LabelVersion": "Version :", - "ButtonRecord": "Enregistrer", "HeaderSystemDlnaProfiles": "Profils syst\u00e8mes", - "TabOthers": "Autres", - "LabelLastResult": "Dernier r\u00e9sultat :", - "ButtonDelete": "Supprimer", "CustomDlnaProfilesHelp": "Cr\u00e9ez un profil personnalis\u00e9 pour cibler un nouvel appareil ou remplacer un profil syst\u00e8me.", - "HeaderExtractChapterImagesFor": "Extraire les images de chapitres pour :", - "OptionRecordSeries": "Enregistrer S\u00e9ries", "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.", - "OptionMovies": "Films", - "HeaderDetails": "D\u00e9tails", "TitleDashboard": "Tableau de bord", - "OptionEpisodes": "\u00c9pisodes", "TabHome": "Accueil", - "OptionOtherVideos": "Autres vid\u00e9os", "TabInfo": "Info", - "TitleMetadata": "M\u00e9tadonn\u00e9es", "HeaderLinks": "Liens", "HeaderSystemPaths": "Chemins d'acc\u00e8s syst\u00e8me", - "LabelAutomaticUpdatesTmdb": "Activer les mises \u00e0 jour automatique depuis TheMovieDB.org", "LinkCommunity": "Communaut\u00e9", - "LabelAutomaticUpdatesTvdb": "Activer les mises \u00e0 jour automatique depuis TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles sont ajout\u00e9es dans Fanart.tv. Les images existantes ne seront pas remplac\u00e9es.", + "LinkApi": "Api", "LinkApiDocumentation": "Documentation de l'API", - "LabelAutomaticUpdatesTmdbHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles sont ajout\u00e9es dans TheMovieDB.org. Les images existantes ne seront pas remplac\u00e9es.", "LabelFriendlyServerName": "Surnom du serveur:", - "LabelAutomaticUpdatesTvdbHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles sont ajout\u00e9es dans TheTVDB.com. Les images existantes ne seront pas remplac\u00e9es.", - "OptionFolderSort": "R\u00e9pertoires", "LabelFriendlyServerNameHelp": "Ce nom sera utilis\u00e9 pour identifier le serveur. Si laiss\u00e9 vide, le nom d'ordinateur sera utilis\u00e9.", - "LabelConfigureServer": "Configurer Emby", - "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. 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.", - "OptionBackdrop": "Image d'arri\u00e8re-plan", "LabelPreferredDisplayLanguage": "Langue d'affichage pr\u00e9f\u00e9r\u00e9e :", - "LabelMetadataDownloadLanguage": "Langue de t\u00e9l\u00e9chargement pr\u00e9f\u00e9r\u00e9e:", - "TitleLiveTV": "TV en direct", "LabelPreferredDisplayLanguageHelp": "La traduction d'Emby est en cours et peut \u00eatre incompl\u00e8te \u00e0 certains endroits.", - "ButtonAutoScroll": "D\u00e9filement automatique", - "LabelNumberOfGuideDays": "Nombre de jours de donn\u00e9es du guide \u00e0 t\u00e9l\u00e9charger:", "LabelReadHowYouCanContribute": "Lire comment vous pouvez contribuer.", + "HeaderNewCollection": "Nouvelle collection", + "ButtonSubmit": "Soumettre", + "ButtonCreate": "Cr\u00e9er", + "LabelCustomCss": "Css personnalis\u00e9e :", + "LabelCustomCssHelp": "Appliquez votre propre feuille de styles css personnalis\u00e9e \u00e0 l'interface web.", + "LabelLocalHttpServerPortNumber": "Num\u00e9ro de port http local :", + "LabelLocalHttpServerPortNumberHelp": "Le port TCP que le serveur http d'Emby doit utiliser.", + "LabelPublicHttpPort": "Num\u00e9ro de port http public :", + "LabelPublicHttpPortHelp": "Le num\u00e9ro de port public \u00e0 mapper sur le port http local.", + "LabelPublicHttpsPort": "Num\u00e9ro de port https public :", + "LabelPublicHttpsPortHelp": "Le num\u00e9ro de port public \u00e0 mapper sur le port https local.", + "LabelEnableHttps": "Renvoyer une url https en tant qu'adresse externe", + "LabelEnableHttpsHelp": "Activez cette option pour que le serveur renvoie une adresse https aux clients pour son adresse externe.", + "LabelHttpsPort": "Num\u00e9ro de port https local :", + "LabelHttpsPortHelp": "Le port TCP que le serveur https d'Emby doit utiliser.", + "LabelWebSocketPortNumber": "Num\u00e9ro de port \"Web socket\":", + "LabelEnableAutomaticPortMap": "Autoriser le mapping automatique de 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": "Adresse WAN externe :", + "LabelExternalDDNSHelp": "Si vous avez un DNS dynamique, entrez le ici. Les applications Emby l'utiliseront pour se connecter \u00e0 distance. Laissez vide pour conserver la d\u00e9tection automatique.", + "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 m\u00e9dias seront consid\u00e9r\u00e9s comme non lus si arr\u00eat\u00e9s avant ce temps", + "LabelMaxResumePercentageHelp": "Les m\u00e9dias sont consid\u00e9r\u00e9s comme lus si arr\u00eat\u00e9s apr\u00e8s ce temps", + "LabelMinResumeDurationHelp": "La lecture de m\u00e9dias plus courts que cette dur\u00e9e ne pourra pas \u00eatre reprise.", + "TitleAutoOrganize": "Auto-organisation", + "TabActivityLog": "Journal d'activit\u00e9s", + "HeaderName": "Nom", + "HeaderDate": "Date", + "HeaderSource": "Source", + "HeaderDestination": "Destination", + "HeaderProgram": "Programme", + "HeaderClients": "Clients", + "LabelCompleted": "Termin\u00e9 avec succ\u00e8s", + "LabelFailed": "\u00c9chou\u00e9", + "LabelSkipped": "Saut\u00e9", + "HeaderEpisodeOrganization": "Organisation des \u00e9pisodes", + "LabelSeries": "S\u00e9ries :", + "LabelEndingEpisodeNumber": "Num\u00e9ro d'\u00e9pisode final:", + "LabelEndingEpisodeNumberHelp": "Uniquement requis pour les fichiers multi-\u00e9pisodes", + "HeaderSupportTheTeam": "Aidez l'\u00e9quipe Emby", + "LabelSupportAmount": "Montant (USD)", + "HeaderSupportTheTeamHelp": "Aidez la poursuite du d\u00e9veloppement de ce projet en effectuant un don. Une part de ce don contribuera au d\u00e9veloppement d'autres produits gratuits dont nous d\u00e9pendons.", + "ButtonEnterSupporterKey": "Entrer la cl\u00e9 de supporteur", + "DonationNextStep": "Une fois termin\u00e9, veuillez revenir saisir la cl\u00e9 de supporteur re\u00e7ue par courriel.", + "AutoOrganizeHelp": "L'auto-organisation d\u00e9tecte les nouveaux fichiers dans vos r\u00e9pertoires de t\u00e9l\u00e9chargement, puis les d\u00e9place dans vos r\u00e9pertoires de m\u00e9dias.", + "AutoOrganizeTvHelp": "L'auto-organisation de fichiers TV ne traitera que l'ajout de nouveaux \u00e9pisodes aux s\u00e9ries existantes. Ce processus ne cr\u00e9era pas de nouveaux r\u00e9pertoires de s\u00e9rie.", + "OptionEnableEpisodeOrganization": "Activer l'auto-organisation des nouveaux \u00e9pisodes", + "LabelWatchFolder": "R\u00e9pertoire \u00e0 surveiller :", + "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 dont la taille est inf\u00e9rieure \u00e0 cette valeur 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-\u00e9pisodes:", + "HeaderSupportedPatterns": "Mod\u00e8les support\u00e9s", + "HeaderTerm": "Terme", + "HeaderPattern": "Mod\u00e8le", + "HeaderResult": "R\u00e9sultat", + "LabelDeleteEmptyFolders": "Supprimer les r\u00e9pertoires vides apr\u00e8s l'auto-organisation", + "LabelDeleteEmptyFoldersHelp": "Activer cette option pour garder le r\u00e9pertoire de t\u00e9l\u00e9chargement vide.", + "LabelDeleteLeftOverFiles": "Supprimer les fichiers restants avec les extensions suivantes :", + "LabelDeleteLeftOverFilesHelp": "S\u00e9parez les \u00e9l\u00e9ments par des point-virgules. Par exemple: .nfo;.txt", + "OptionOverwriteExistingEpisodes": "Remplacer les \u00e9pisodes existants", + "LabelTransferMethod": "M\u00e9thode de transfert", + "OptionCopy": "Copier", + "OptionMove": "D\u00e9placer", + "LabelTransferMethodHelp": "Copier ou d\u00e9placer des fichiers du r\u00e9pertoire surveill\u00e9", + "HeaderLatestNews": "Derni\u00e8res nouvelles", + "HeaderHelpImproveProject": "Aider \u00e0 am\u00e9liorer Emby", + "HeaderRunningTasks": "T\u00e2ches en ex\u00e9cution", + "HeaderActiveDevices": "Appareils actifs", + "HeaderPendingInstallations": "Installations en suspens", + "HeaderServerInformation": "Information du serveur", "ButtonRestartNow": "Red\u00e9marrer maintenant", - "LabelEnableChannelContentDownloadingForHelp": "Certaines cha\u00eenes supportent le t\u00e9l\u00e9chargement pr\u00e9alable du contenu avant le 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 la t\u00e2che planifi\u00e9e correspondante.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Mise \u00e0 jour d'application install\u00e9e", "ButtonRestart": "Red\u00e9marrer", - "LabelChannelDownloadPath": "R\u00e9pertoire de t\u00e9l\u00e9chargement du contenu de cha\u00eene:", - "NotificationOptionPluginUpdateInstalled": "Mise \u00e0 jour de plugin install\u00e9e", "ButtonShutdown": "\u00c9teindre", - "LabelChannelDownloadPathHelp": "Sp\u00e9cifiez un r\u00e9pertoire de t\u00e9l\u00e9chargement personnalis\u00e9 si besoin. Laissez vide pour t\u00e9l\u00e9charger dans un r\u00e9pertoire interne du programme.", - "NotificationOptionPluginInstalled": "Plugin install\u00e9", "ButtonUpdateNow": "Mettre \u00e0 jour maintenant", - "LabelChannelDownloadAge": "Supprimer le contenu apr\u00e8s : (jours)", - "NotificationOptionPluginUninstalled": "Plugin d\u00e9sinstall\u00e9", + "TabHosting": "H\u00e9bergement", "PleaseUpdateManually": "Merci d'\u00e9teindre le serveur et de le mettre \u00e0 jour manuellement.", - "LabelChannelDownloadAgeHelp": "Le contenu t\u00e9l\u00e9charg\u00e9 plus vieux que cette valeur sera supprim\u00e9. Il restera disponible \u00e0 la lecture par streaming Internet.", - "NotificationOptionTaskFailed": "\u00c9chec de t\u00e2che planifi\u00e9e", "NewServerVersionAvailable": "Une nouvelle version du serveur Emby est disponible !", - "ChannelSettingsFormHelp": "Installer des cha\u00eenes comme \"Trailers\" et \"Vimeo\" dans le catalogue des plugins.", - "NotificationOptionInstallationFailed": "\u00c9chec d'installation", "ServerUpToDate": "Le serveur Emby est \u00e0 jour", + "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": "Cl\u00e9 de transfert", + "LabelOldSupporterKey": "Ancienne cl\u00e9 de supporteur", + "LabelNewSupporterKey": "Nouvelle cl\u00e9 de supporteur", + "HeaderMultipleKeyLinking": "Transf\u00e9rer \u00e0 une nouvelle cl\u00e9", + "MultipleKeyLinkingHelp": "Si vous avez re\u00e7u une nouvelle cl\u00e9 de supporteur, utilisez ce formulaire pour transf\u00e9rer votre anciennce cl\u00e9 d'enregistrement \u00e0 votre nouvelle cl\u00e9.", + "LabelCurrentEmailAddress": "Adresse courriel actuelle", + "LabelCurrentEmailAddressHelp": "L'adresse courriel actuelle \u00e0 laquelle votre nouvelle cl\u00e9 a \u00e9t\u00e9 envoy\u00e9e.", + "HeaderForgotKey": "Cl\u00e9 oubli\u00e9e", + "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 de supporteur pour commencer \u00e0 b\u00e9n\u00e9ficier des avantages suppl\u00e9mentaires que la communaut\u00e9 a d\u00e9velopp\u00e9 pour Emby.", + "MessageInvalidKey": "Cl\u00e9 de supporteur manquante ou invalide", + "ErrorMessageInvalidKey": "Vous devez \u00e9galement \u00eatre supporteur Emby pour enregistrer le contenu Premium. Merci de faire un don et d'aider \u00e0 la poursuite du d\u00e9veloppement du produit.", + "HeaderDisplaySettings": "Param\u00e8tres d'affichage", + "TabPlayTo": "Lire sur", + "LabelEnableDlnaServer": "Activer le serveur DLNA", + "LabelEnableDlnaServerHelp": "Autorise les appareils UPnP de votre r\u00e9seau \u00e0 naviguer et lire le contenu Emby.", + "LabelEnableBlastAliveMessages": "Diffuser des message de pr\u00e9sence", + "LabelEnableBlastAliveMessagesHelp": "Activer cette option si le serveur n'est pas d\u00e9tect\u00e9 de mani\u00e8re fiable par les autres appareils 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\u00e9sence du serveur.", + "LabelDefaultUser": "Utilisateur par d\u00e9faut :", + "LabelDefaultUserHelp": "D\u00e9termine quelle biblioth\u00e8que d'utilisateur doit \u00eatre affich\u00e9e 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, les clients pourront afficher la s\u00e9lection du compte utilisateur de mani\u00e8re graphique sur l'\u00e9cran de connexion.", + "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 install\u00e9e", + "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)", + "NotificationOptionCameraImageUploaded": "L'image de l'appareil photo a \u00e9t\u00e9 upload\u00e9e", + "NotificationOptionUserLockedOut": "Utilisateur verrouill\u00e9", + "HeaderSendNotificationHelp": "Par d\u00e9faut, les notifications sont pr\u00e9sent\u00e9es dans la bo\u00eete de messagerie de votre tableau de bord. Parcourrez le catalogue de plugins pour installer des options suppl\u00e9mentaires de notification.", + "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", - "LabelComponentsUpdated": "Les composants suivants ont \u00e9t\u00e9 install\u00e9s ou mis \u00e0 jour :", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Titre du message:", - "ButtonNext": "Suivant", - "MessagePleaseRestartServerToFinishUpdating": "Merci de red\u00e9marrer le serveur pour appliquer les mises \u00e0 jour.", "LabelAvailableTokens": "Jetons disponibles:", + "AdditionalNotificationServices": "Visitez le catalogue de plugins pour installer des services 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": "Accueil", + "ButtonSearch": "Recherche", + "ButtonSettings": "Param\u00e8tres", + "ButtonTakeScreenshot": "Prendre une copie 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", - "LabelSkipIfGraphicalSubsPresent": "Sauter la vid\u00e9o si elle contient d\u00e9j\u00e0 des sous-titres graphiques", - "LabelSkipIfGraphicalSubsPresentHelp": "Conserver les versions textes des sous-titres permettra une diffusion plus efficace et diminuera la probabilit\u00e9 d'un transcodage de la vid\u00e9o.", + "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 groupe d'items.", + "NotificationOptionPluginError": "Erreur de plugin", + "ButtonVolumeUp": "Volume +", + "ButtonVolumeDown": "Volume -", + "ButtonMute": "Sourdine", + "HeaderLatestMedia": "Derniers m\u00e9dias", + "OptionSpecialFeatures": "Bonus", + "HeaderCollections": "Collections", "LabelProfileCodecsHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour s'appliquer \u00e0 tous les codecs.", - "LabelSkipIfAudioTrackPresent": "Sauter si la piste audio correspond \u00e0 la langue de t\u00e9l\u00e9chargement", "LabelProfileContainersHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour s'appliquer \u00e0 tous les conteneurs.", - "LabelSkipIfAudioTrackPresentHelp": "D\u00e9cocher cette option va s'assurer que toutes les vid\u00e9os ont des sous-titres, quelque soit la langue de la piste audio.", "HeaderResponseProfile": "Profil de r\u00e9ponse", "LabelType": "Type :", - "HeaderHelpImproveProject": "Aider \u00e0 am\u00e9liorer Emby", + "LabelPersonRole": "R\u00f4le:", + "LabelPersonRoleHelp": "Le r\u00f4le n'est g\u00e9n\u00e9ralement applicable qu'aux acteurs.", "LabelProfileContainer": "Conteneur:", "LabelProfileVideoCodecs": "Codecs vid\u00e9os :", - "PluginTabAppClassic": "Emby classique", "LabelProfileAudioCodecs": "Codecs audios :", "LabelProfileCodecs": "Codecs :", - "PluginTabAppTheater": "Emby theater", "HeaderDirectPlayProfile": "Profil de lecture directe (Direct Play):", - "ButtonClose": "Fermer", - "TabView": "Affichage", - "TabSort": "Trier", "HeaderTranscodingProfile": "Profil de transcodage", - "HeaderBecomeProjectSupporter": "Devenir un fan d'Emby", - "OptionNone": "Aucun", - "TabFilter": "Filtre", - "HeaderLiveTv": "TV en direct", - "ButtonView": "Affichage", "HeaderCodecProfile": "Profil de codecs", - "HeaderReports": "Rapports", - "LabelPageSize": "Items par page :", "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.", - "HeaderMetadataManager": "Gestionnaire de m\u00e9tadonn\u00e9es", - "LabelView": "Visualisation :", - "ViewTypePlaylists": "Listes de lecture", - "HeaderPreferences": "Pr\u00e9f\u00e9rences", "HeaderContainerProfile": "Profil de conteneur", - "MessageLoadingChannels": "Chargement du contenu de la cha\u00eene...", - "ButtonMarkRead": "Marquer comme lu", "HeaderContainerProfileHelp": "Les profils de conteneur indiquent 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.", - "LabelAlbumArtists": "Artistes de l'album :", - "OptionDefaultSort": "Par d\u00e9faut", - "OptionCommunityMostWatchedSort": "Les plus lus", "OptionProfileVideo": "Vid\u00e9o", - "NotificationOptionVideoPlaybackStopped": "Lecture vid\u00e9o arr\u00eat\u00e9e", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Mes affichages", "OptionProfileVideoAudio": "Vid\u00e9o Audio", - "NotificationOptionAudioPlaybackStopped": "Lecture audio arr\u00eat\u00e9e", - "ButtonVolumeUp": "Volume +", - "OptionLatestTvRecordings": "Les plus r\u00e9cents enregistrements", - "NotificationOptionGamePlaybackStopped": "Lecture de jeu arr\u00eat\u00e9e", - "ButtonVolumeDown": "Volume -", - "ButtonMute": "Sourdine", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "Biblioth\u00e8que de l'utilisateur:", "LabelUserLibraryHelp": "S\u00e9lectionnez quelle biblioth\u00e8que afficher sur l'appareil. Laissez vide pour h\u00e9riter des param\u00e8tres par d\u00e9faut.", - "ButtonArrowUp": "Haut", "OptionPlainStorageFolders": "Afficher tous les r\u00e9pertoires en tant que simples r\u00e9pertoires de stockage.", - "LabelChapterName": "Chapitre {0}", - "NotificationOptionCameraImageUploaded": "L'image de l'appareil photo a \u00e9t\u00e9 upload\u00e9e", - "ButtonArrowDown": "Bas", "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\".", - "HeaderNewApiKey": "Nouvelle cl\u00e9 API", - "ButtonArrowLeft": "Gauche", "OptionPlainVideoItems": "Afficher les vid\u00e9os en tant que simples items vid\u00e9os.", - "LabelAppName": "Nom de l'app", - "ButtonArrowRight": "Droite", - "LabelAppNameExample": "Exemple: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Retour arri\u00e8re", "OptionPlainVideoItemsHelp": "Si activ\u00e9, toutes les vid\u00e9os seront affich\u00e9es en DIDL en tant que \"object.item.videoItem\" au lieu de formats plus sp\u00e9cifiques comme, par exemple \"object.item.videoItem.movie\".", - "HeaderNewApiKeyHelp": "Permet \u00e0 une application de communiquer avec le serveur Emby.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Types de m\u00e9dias support\u00e9s:", - "ButtonPageUp": "Page suivante", "TabIdentification": "Identification", - "ButtonPageDown": "Page pr\u00e9c\u00e9dante", + "HeaderIdentification": "Identification", "TabDirectPlay": "Lecture directe", - "PageAbbreviation": "PG", "TabContainers": "Conteneur", - "ButtonHome": "Accueil", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limiter la taille du r\u00e9pertoire de t\u00e9l\u00e9chargement des cha\u00eenes.", - "ButtonSettings": "Param\u00e8tres", "TabResponses": "R\u00e9ponses", - "ButtonTakeScreenshot": "Prendre une copie d'\u00e9cran", "HeaderProfileInformation": "Information de profil", - "ButtonLetterUp": "Lettre haut", - "ButtonLetterDown": "Lettre bas", "LabelEmbedAlbumArtDidl": "Int\u00e9grer les images d'album dans Didl", - "PageButtonAbbreviation": "PG", "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.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Identifiant", - "TabNowPlaying": "Lecture en cours", "LabelAlbumArtPN": "PN d'images d'album:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Basculer en plein \u00e9cran", "LabelAlbumArtMaxHeightHelp": "R\u00e9solution maximum des images d'album expos\u00e9e par upnp:albumArtURI.", - "HeaderDisplaySettings": "Param\u00e8tres d'affichage", - "ButtonAudioTracks": "Pistes audio", "LabelIconMaxWidth": "Largeur maximum des ic\u00f4nes:", - "TabPlayTo": "Lire sur", - "HeaderFeatures": "Fonctionnalit\u00e9s", "LabelIconMaxWidthHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.", - "LabelEnableDlnaServer": "Activer le serveur DLNA", - "HeaderAdvanced": "Avanc\u00e9", "LabelIconMaxHeight": "Hauteur maximum des ic\u00f4nes:", - "LabelEnableDlnaServerHelp": "Autorise les appareils UPnP de votre r\u00e9seau \u00e0 naviguer et lire le contenu Emby.", "LabelIconMaxHeightHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.", - "LabelEnableBlastAliveMessages": "Diffuser des message de pr\u00e9sence", "LabelIdentificationFieldHelp": "Une sous-cha\u00eene ou expression r\u00e9guli\u00e8re (insensible \u00e0 la casse).", - "LabelEnableBlastAliveMessagesHelp": "Activer cette option si le serveur n'est pas d\u00e9tect\u00e9 de mani\u00e8re fiable par les autres appareils UPnP sur votre r\u00e9seau.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "Ces valeurs contr\u00f4lent la fa\u00e7on dont le serveur Emby se pr\u00e9sentera aux appareils.", - "LabelBlastMessageInterval": "Intervalles des messages de pr\u00e9sence (secondes):", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "D\u00e9bit maximum:", - "LabelBlastMessageIntervalHelp": "D\u00e9termine la dur\u00e9e en secondes entre les message de pr\u00e9sence du serveur.", - "NotificationOptionPluginError": "Erreur de plugin", "LabelMaxBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit maximum dans les environnements avec bande passante limit\u00e9e ou si l'appareil impose sa propre limite.", - "LabelDefaultUser": "Utilisateur par d\u00e9faut :", + "LabelMaxStreamingBitrate": "D\u00e9bit max de streaming :", + "LabelMaxStreamingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max lors du streaming.", + "LabelMaxChromecastBitrate": "D\u00e9bit Chromecast maximum", + "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 les demande de transcodage de plage d'octets", - "HeaderServerInformation": "Information du serveur", - "LabelDefaultUserHelp": "D\u00e9termine quelle biblioth\u00e8que d'utilisateur doit \u00eatre affich\u00e9e sur les appareils connect\u00e9s. Ces param\u00e8tres peuvent \u00eatre remplac\u00e9s pour chaque appareil par les configurations de profils.", "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": "Constructeur", - "ViewTypeMovies": "Films", "LabelManufacturerUrl": "URL du constructeur", - "TabNextUp": "Prochains \u00e0 voir", - "ViewTypeTvShows": "TV", "LabelModelName": "Nom de mod\u00e8le", - "ViewTypeGames": "Jeux", "LabelModelNumber": "Num\u00e9ro de mod\u00e8le", - "ViewTypeMusic": "Musique", "LabelModelDescription": "Description de mod\u00e8le", - "LabelDisplayCollectionsViewHelp": "Ceci cr\u00e9era une vue s\u00e9par\u00e9e pour l'affichage des collections que vous avez cr\u00e9\u00e9es ou auxquelles vous avez acc\u00e8s. Pour cr\u00e9er une collection, faites un clic-droit ou tapotez et maintenez l'\u00e9cran sur un film, puis choisissez 'Ajouter \u00e0 une collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "URL de mod\u00e8le", - "HeaderOtherDisplaySettings": "Param\u00e8tres d'affichage", "LabelSerialNumber": "Num\u00e9ro de s\u00e9rie", "LabelDeviceDescription": "Description de l'appareil", - "LabelSelectFolderGroups": "Grouper automatiquement le contenu des r\u00e9pertoires suivants dans les vues tels que Films, Musiques et TV :", "HeaderIdentificationCriteriaHelp": "Entrez au moins un crit\u00e8re d'identification.", - "LabelSelectFolderGroupsHelp": "Les r\u00e9pertoires qui ne sont pas coch\u00e9s seront affich\u00e9s tels quels avec leur propre disposition.", "HeaderDirectPlayProfileHelp": "Ajouter des profils de lecture directe pour indiquer quels formats l'appareil peut lire de fa\u00e7on native.", "HeaderTranscodingProfileHelp": "Ajoutez des profils de transcodage pour indiquer quels formats utiliser quand le transcodage est requis.", - "ViewTypeLiveTvNowPlaying": "En cours de diffusion", "HeaderResponseProfileHelp": "Les profils de r\u00e9ponse permettent de personnaliser l'information envoy\u00e9e \u00e0 l'appareil lors de la lecture de certains types de m\u00e9dia.", - "ViewTypeMusicFavorites": "Favoris", - "ViewTypeLatestGames": "Derniers jeux", - "ViewTypeMusicSongs": "Chansons", "LabelXDlnaCap": "Cap X-Dlna:", - "ViewTypeMusicFavoriteAlbums": "Albums favoris", - "ViewTypeRecentlyPlayedGames": "R\u00e9cemment jou\u00e9", "LabelXDlnaCapHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNACAP dans l'espace de nom urn:schemas-dlna-org:device-1-0.", - "ViewTypeMusicFavoriteArtists": "Artistes favoris", - "ViewTypeGameFavorites": "Favoris", - "HeaderViewOrder": "Ordre d'affichage", "LabelXDlnaDoc": "Doc X-Dlna:", - "ViewTypeMusicFavoriteSongs": "Chansons favorites", - "HeaderHttpHeaders": "En-t\u00eates HTTP", - "ViewTypeGameSystems": "Syst\u00e8me de jeu", - "LabelSelectUserViewOrder": "Choisissez l'ordre dans lequel les pages des applications Emby seront affich\u00e9es", "LabelXDlnaDocHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNADOC dans l'espace de nom urn:schemas-dlna-org:device-1-0.", - "HeaderIdentificationHeader": "En-t\u00eate d'identification", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Installer un plugin de fournisseur de chapitre tel que ChapterDb pour activer les options suppl\u00e9mentaires de chapitre.", "LabelSonyAggregationFlags": "Marqueurs d\u2019agr\u00e9gation Sony:", - "LabelValue": "Valeur :", - "ViewTypeTvResume": "Reprise", - "TabChapters": "Chapitres", "LabelSonyAggregationFlagsHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments aggregationFlags dans l'espace de nom urn:schemas-sonycom:av .", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Type recherch\u00e9 :", - "ViewTypeTvNextUp": "A venir", + "LabelTranscodingContainer": "Conteneur:", + "LabelTranscodingVideoCodec": "Codec vid\u00e9o:", + "LabelTranscodingVideoProfile": "Profil vid\u00e9o :", + "LabelTranscodingAudioCodec": "Codec audio:", + "OptionEnableM2tsMode": "Activer le mode M2ts", + "OptionEnableM2tsModeHelp": "Activer 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 sont pas capables d'effectuer une recherche d'octets correctement.", + "HeaderSubtitleDownloadingHelp": "Lorsqu'Emby scanne vos fichiers vid\u00e9o, il peut chercher les sous-titres manquant et les t\u00e9l\u00e9charger depuis un fournisseur 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": "Conserver les versions textes des sous-titres permettra une diffusion plus efficace et diminuera la probabilit\u00e9 d'un transcodage de la vid\u00e9o.", + "TabSubtitles": "Sous-titres", + "TabChapters": "Chapitres", "HeaderDownloadChaptersFor": "T\u00e9l\u00e9charger les noms de chapitre pour:", + "LabelOpenSubtitlesUsername": "Nom d'utilisateur Open Subtitles:", + "LabelOpenSubtitlesPassword": "Mot de passe Open Subtitles:", + "HeaderChapterDownloadingHelp": "Lorsqu'Emby scanne vos fichiers vid\u00e9o, il peut t\u00e9l\u00e9charger par Internet les noms des chapitres gr\u00e2ce \u00e0 un plugin comme ChapterDb.", + "LabelPlayDefaultAudioTrack": "Utiliser le flux audio par d\u00e9faut quelque soit 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 s'assurer que toutes les vid\u00e9os ont des sous-titres, quelque soit la langue de la piste audio.", + "HeaderSendMessage": "Envoyer un message", + "ButtonSend": "Envoyer", + "LabelMessageText": "Texte du message:", + "MessageNoAvailablePlugins": "Aucun plugin disponible.", + "LabelDisplayPluginsFor": "Afficher les plugins pour :", + "PluginTabAppClassic": "Emby classique", + "PluginTabAppTheater": "Emby theater", + "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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "Aucun r\u00e9sultat trouv\u00e9.", + "TabDisplay": "Affichage", + "TabLanguages": "Langues", + "TabAppSettings": "Param\u00e8tres de l'applications", + "LabelEnableThemeSongs": "Activer les chansons th\u00e8mes", + "LabelEnableBackdrops": "Activer les images d'arri\u00e8re-plans", + "LabelEnableThemeSongsHelp": "Si activ\u00e9, les chansons th\u00e8mes 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 cet appareil", + "OptionAuto": "Auto", + "OptionYes": "Oui", + "OptionNo": "Non", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "R\u00e9sultat de l'identification", + "LabelHomePageSection1": "Premi\u00e8re section du portail :", + "LabelHomePageSection2": "Seconde section du portail :", + "LabelHomePageSection3": "Troisi\u00e8me section du portail :", + "LabelHomePageSection4": "Quatri\u00e8me section du portail:", + "OptionMyMediaButtons": "Mes m\u00e9dias (boutons)", + "OptionMyMedia": "Mes m\u00e9dias", + "OptionMyMediaSmall": "Mes m\u00e9dias (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", + "HeaderSettings": "Param\u00e8tres", + "MessageLoadingChannels": "Chargement du contenu de la cha\u00eene...", + "MessageLoadingContent": "Chargement du contenu...", + "ButtonMarkRead": "Marquer comme lu", + "OptionDefaultSort": "Par d\u00e9faut", + "OptionCommunityMostWatchedSort": "Les plus lus", + "TabNextUp": "Prochains \u00e0 voir", + "PlaceholderUsername": "Identifiant", + "HeaderBecomeProjectSupporter": "Devenir un fan d'Emby", + "MessageNoMovieSuggestionsAvailable": "Aucune suggestion de film n'est actuellement disponible. Commencez \u00e0 regarder et notez vos films pour avoir des suggestions.", + "MessageNoCollectionsAvailable": "Les collections vous permettent de tirer parti de groupements personnalis\u00e9s de films, de s\u00e9ries, d'albums audio, de livres et de jeux. Cliquez sur le bouton + pour commencer \u00e0 cr\u00e9er 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, puis s\u00e9lectionnez Ajouter \u00e0 la liste de lecture", + "MessageNoPlaylistItemsAvailable": "Cette liste de lecture est actuellement vide.", + "ButtonDismiss": "Annuler", + "ButtonEditOtherUserPreferences": "Modifier ce profil utilisateur, son avatar et ses pr\u00e9f\u00e9rences personnelles.", + "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 le t\u00e9l\u00e9chargement pr\u00e9alable du contenu avant le 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 la t\u00e2che planifi\u00e9e correspondante.", + "LabelChannelDownloadPath": "R\u00e9pertoire de t\u00e9l\u00e9chargement du contenu de cha\u00eene:", + "LabelChannelDownloadPathHelp": "Sp\u00e9cifiez un r\u00e9pertoire de t\u00e9l\u00e9chargement 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 que cette valeur sera supprim\u00e9. Il restera disponible \u00e0 la lecture par streaming Internet.", + "ChannelSettingsFormHelp": "Installer des cha\u00eenes comme \"Trailers\" et \"Vimeo\" dans le catalogue des plugins.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Listes de lecture", + "ViewTypeMovies": "Films", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Jeux", + "ViewTypeMusic": "Musique", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artistes", - "OptionEquals": "Egale", + "ViewTypeBoxSets": "Collections", + "ViewTypeChannels": "Cha\u00eenes", + "ViewTypeLiveTV": "TV en direct", + "ViewTypeLiveTvNowPlaying": "En cours de diffusion", + "ViewTypeLatestGames": "Derniers jeux", + "ViewTypeRecentlyPlayedGames": "R\u00e9cemment jou\u00e9", + "ViewTypeGameFavorites": "Favoris", + "ViewTypeGameSystems": "Syst\u00e8me de jeu", + "ViewTypeGameGenres": "Genres", + "ViewTypeTvResume": "Reprise", + "ViewTypeTvNextUp": "A venir", "ViewTypeTvLatest": "Derniers", - "HeaderChapterDownloadingHelp": "Lorsqu'Emby scanne vos fichiers vid\u00e9o, il peut t\u00e9l\u00e9charger par Internet les noms des chapitres gr\u00e2ce \u00e0 un plugin comme ChapterDb.", - "LabelTranscodingContainer": "Conteneur:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Codec vid\u00e9o:", - "OptionSubstring": "Sous-cha\u00eene", + "ViewTypeTvShowSeries": "S\u00e9ries", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Profil vid\u00e9o :", + "ViewTypeTvFavoriteSeries": "S\u00e9ries favorites", + "ViewTypeTvFavoriteEpisodes": "Episodes favoris", + "ViewTypeMovieResume": "Reprise", + "ViewTypeMovieLatest": "Dernier", + "ViewTypeMovieMovies": "Films", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favoris", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Dernier", + "ViewTypeMusicPlaylists": "Listes de lectures", + "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 :", + "LabelSelectFolderGroupsHelp": "Les r\u00e9pertoires qui ne sont pas coch\u00e9s seront affich\u00e9s tels quels avec leur propre disposition.", + "OptionDisplayAdultContent": "Afficher le contenu adulte", + "OptionLibraryFolders": "R\u00e9pertoires de m\u00e9dias", + "TitleRemoteControl": "Contr\u00f4le \u00e0 distance", + "OptionLatestTvRecordings": "Les plus r\u00e9cents enregistrements", + "LabelProtocolInfo": "Infos sur le protocole:", + "LabelProtocolInfoHelp": "La valeur qui sera utilis\u00e9e pour r\u00e9pondre aux requ\u00eates GetProtocolInfo du p\u00e9riph\u00e9rique.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby supporte nativement les fichiers de m\u00e9tadonn\u00e9es Nfo. Pour activer ou d\u00e9sactiver les m\u00e9tadonn\u00e9es Nfo, veuillez utiliser l'onglet Avanc\u00e9 pour configurer les options des types de m\u00e9dias.", + "LabelKodiMetadataUser": "Synchroniser les donn\u00e9es de visionnage utilisateur en nfo pour :", + "LabelKodiMetadataUserHelp": "Activez cette option pour synchroniser les donn\u00e9es de lecture entre le serveur Emby et les fichiers Nfo.", + "LabelKodiMetadataDateFormat": "Format de la date de sortie :", + "LabelKodiMetadataDateFormatHelp": "Toutes les dates du nfo seront lues et \u00e9crites en utilisant ce format.", + "LabelKodiMetadataSaveImagePaths": "Sauvegarder le chemin des images dans les fichiers nfo", + "LabelKodiMetadataSaveImagePathsHelp": "Ceci est recommand\u00e9 si les noms des fichiers d'images ne sont pas conformes aux recommandations d'Xbmc.", + "LabelKodiMetadataEnablePathSubstitution": "Activer la substitution de chemins", + "LabelKodiMetadataEnablePathSubstitutionHelp": "Activer la substitution du chemin des images en utilisant les param\u00e8tres de substitution des chemins du serveur.", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "Voir substitution de chemins.", + "LabelGroupChannelsIntoViews": "Afficher directement les cha\u00eenes suivantes dans mes vues.", + "LabelGroupChannelsIntoViewsHelp": "Si activ\u00e9, ces cha\u00eenes seront directement affich\u00e9es \u00e0 c\u00f4t\u00e9 des autres vues. Si d\u00e9sactiv\u00e9, elles seront affich\u00e9es dans une vue de cha\u00eenes s\u00e9par\u00e9es.", + "LabelDisplayCollectionsView": "Afficher un aper\u00e7u de collections pour montrer les collections de film", + "LabelDisplayCollectionsViewHelp": "Ceci cr\u00e9era une vue s\u00e9par\u00e9e pour l'affichage des collections que vous avez cr\u00e9\u00e9es ou auxquelles vous avez acc\u00e8s. Pour cr\u00e9er une collection, faites un clic-droit ou tapotez et maintenez l'\u00e9cran sur un film, puis choisissez 'Ajouter \u00e0 une collection'. ", + "LabelKodiMetadataEnableExtraThumbs": "Copier les extrafanart dans les extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Pendant le t\u00e9l\u00e9chargement, les images peuvent \u00eatre sauvegard\u00e9es en tant qu'extrafanart et extrathumbs pour am\u00e9liorer la compatibilit\u00e9 avec le skin Xbmc.", "TabServices": "Services", - "LabelTranscodingAudioCodec": "Codec audio:", - "ViewTypeMovieResume": "Reprise", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Activer le mode M2ts", - "ViewTypeMovieLatest": "Dernier", "HeaderServerLogFiles": "Fichiers log du serveur :", - "OptionEnableM2tsModeHelp": "Activer le mode m2ts lors d'encodage en mpegts.", - "ViewTypeMovieMovies": "Films", "TabBranding": "Slogan", - "OptionEstimateContentLength": "Estimer la dur\u00e9e du contenu lors d'encodage", - "HeaderPassword": "Mot de passe", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Personnalisez l'apparence d'Emby pour satisfaire les besoins de votre groupe ou organisation.", - "OptionReportByteRangeSeekingWhenTranscoding": "Signaler que le serveur prend en charge la recherche d'octets lors du transcodage", - "HeaderLocalAccess": "Acc\u00e8s local", - "ViewTypeMovieFavorites": "Favoris", "LabelLoginDisclaimer": "Avertissement sur la page d'accueil :", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Cette option est requise pour certains p\u00e9riph\u00e9riques qui ne sont pas capables d'effectuer une recherche d'octets correctement.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "Le slogan sera affich\u00e9 en bas de la page de connexion.", - "ViewTypeMusicLatest": "Dernier", "LabelAutomaticallyDonate": "Donner automatiquement ce montant chaque mois.", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "Vous pouvez annuler via votre compte Paypal n'importe quand.", - "TabHosting": "H\u00e9bergement", - "ViewTypeMusicAlbumArtists": "Artiste de l'album", - "LabelDownMixAudioScale": "Boost audio lors de downmix:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Utiliser le flux audio par d\u00e9faut quelque soit la langue", - "LabelDownMixAudioScaleHelp": "Boost audio lors de downmix. Mettre \u00e0 1 pour pr\u00e9server la valeur originale du volume.", - "LabelHomePageSection4": "Quatri\u00e8me section du portail:", - "HeaderChapters": "Chapitres", - "LabelSubtitlePlaybackMode": "Mode de sous-titres:", - "HeaderDownloadPeopleMetadataForHelp": "Activer les options compl\u00e9mentaires fournira plus d'informations \u00e0 l'\u00e9cran mais ralentira les scans de la biblioth\u00e8que de medias.", - "ButtonLinkKeys": "Cl\u00e9 de transfert", - "OptionLatestChannelMedia": "Items de cha\u00eene les plus r\u00e9cents", - "HeaderResumeSettings": "Reprendre les param\u00e8tres", - "ViewTypeFolders": "R\u00e9pertoires", - "LabelOldSupporterKey": "Ancienne cl\u00e9 de supporteur", - "HeaderLatestChannelItems": "Items de cha\u00eene les plus r\u00e9cents", - "LabelDisplayFoldersView": "Afficher une vue mosa\u00efque pour montrer les dossiers media en int\u00e9gralit\u00e9.", - "LabelNewSupporterKey": "Nouvelle cl\u00e9 de supporteur", - "TitleRemoteControl": "Contr\u00f4le \u00e0 distance", - "ViewTypeLiveTvRecordingGroups": "Enregistrements", - "HeaderMultipleKeyLinking": "Transf\u00e9rer \u00e0 une nouvelle cl\u00e9", - "ViewTypeLiveTvChannels": "Cha\u00eenes", - "MultipleKeyLinkingHelp": "Si vous avez re\u00e7u une nouvelle cl\u00e9 de supporteur, utilisez ce formulaire pour transf\u00e9rer votre anciennce cl\u00e9 d'enregistrement \u00e0 votre nouvelle cl\u00e9.", - "LabelCurrentEmailAddress": "Adresse courriel actuelle", - "LabelCurrentEmailAddressHelp": "L'adresse courriel actuelle \u00e0 laquelle votre nouvelle cl\u00e9 a \u00e9t\u00e9 envoy\u00e9e.", - "HeaderForgotKey": "Cl\u00e9 oubli\u00e9e", - "TabControls": "Contr\u00f4les", - "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 de supporteur pour commencer \u00e0 b\u00e9n\u00e9ficier des avantages suppl\u00e9mentaires que la communaut\u00e9 a d\u00e9velopp\u00e9 pour Emby.", - "MessageInvalidKey": "Cl\u00e9 de supporteur manquante ou invalide", - "ErrorMessageInvalidKey": "Vous devez \u00e9galement \u00eatre supporteur Emby pour enregistrer le contenu Premium. Merci de faire un don et d'aider \u00e0 la poursuite du d\u00e9veloppement du produit.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} est en train de t\u00e9l\u00e9charger {1}", - "OptionMyMediaButtons": "Mes m\u00e9dias (boutons)", - "HeaderHomePage": "Portail", - "HeaderSettingsForThisDevice": "Param\u00e8tres pour cet appareil", - "OptionMyMedia": "Mes m\u00e9dias", - "OptionAllUsers": "Tous les utilisateurs", - "ButtonDismiss": "Annuler", - "OptionAdminUsers": "Administrateurs", - "OptionDisplayAdultContent": "Afficher le contenu adulte", - "HeaderSearchForSubtitles": "Rechercher des sous-titres", - "OptionCustomUsers": "Personnalis\u00e9", - "ButtonMore": "Voir la suite", - "MessageNoSubtitleSearchResultsFound": "Aucun r\u00e9sultat trouv\u00e9.", + "OptionList": "Liste", + "TabDashboard": "Tableau de bord", + "TitleServer": "Serveur", + "LabelCache": "Cache :", + "LabelLogs": "Logs :", + "LabelMetadata": "M\u00e9tadonn\u00e9es :", + "LabelImagesByName": "Images tri\u00e9es par nom :", + "LabelTranscodingTemporaryFiles": "Transcodage de fichiers temporaires :", "HeaderLatestMusic": "Derni\u00e8re musique", - "OptionMyMediaSmall": "Mes m\u00e9dias (petit)", - "TabDisplay": "Affichage", "HeaderBranding": "Slogan", - "TabLanguages": "Langues", "HeaderApiKeys": "Cl\u00e9s API", - "LabelGroupChannelsIntoViews": "Afficher directement les cha\u00eenes suivantes dans mes vues.", "HeaderApiKeysHelp": "Les applications externes ont besoin d'une cl\u00e9 d'Api pour communiquer avec le serveur Emby. Les cl\u00e9s sont distribu\u00e9es lors d'une connexion avec un compte Emby, ou bien en accordant manuellement une cl\u00e9 \u00e0 une application.", - "LabelGroupChannelsIntoViewsHelp": "Si activ\u00e9, ces cha\u00eenes seront directement affich\u00e9es \u00e0 c\u00f4t\u00e9 des autres vues. Si d\u00e9sactiv\u00e9, elles seront affich\u00e9es dans une vue de cha\u00eenes s\u00e9par\u00e9es.", - "LabelEnableThemeSongs": "Activer les chansons th\u00e8mes", "HeaderApiKey": "Cl\u00e9 API", - "HeaderSubtitleDownloadingHelp": "Lorsqu'Emby scanne vos fichiers vid\u00e9o, il peut chercher les sous-titres manquant et les t\u00e9l\u00e9charger depuis un fournisseur comme OpenSubtitles.org.", - "LabelEnableBackdrops": "Activer les images d'arri\u00e8re-plans", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "T\u00e9l\u00e9charger les sous-titres pour :", - "LabelEnableThemeSongsHelp": "Si activ\u00e9, les chansons th\u00e8mes seront lues en arri\u00e8re-plan pendant la navigation dans les biblioth\u00e8ques.", "HeaderDevice": "P\u00e9riph\u00e9rique", - "LabelEnableBackdropsHelp": "Si activ\u00e9, les images d'arri\u00e8re-plan seront affich\u00e9es sur certaines pages pendant la navigation dans les biblioth\u00e8ques.", "HeaderUser": "Utilisateur", "HeaderDateIssued": "Date de publication", - "TabSubtitles": "Sous-titres", - "LabelOpenSubtitlesUsername": "Nom d'utilisateur Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Mot de passe Open Subtitles:", - "OptionYes": "Oui", - "OptionNo": "Non", - "LabelDownloadLanguages": "T\u00e9l\u00e9chargement de langues:", - "LabelHomePageSection1": "Premi\u00e8re section du portail :", - "ButtonRegister": "S'enregistrer", - "LabelHomePageSection2": "Seconde section du portail :", - "LabelHomePageSection3": "Troisi\u00e8me section du portail :", - "OptionResumablemedia": "Reprendre", - "ViewTypeTvShowSeries": "S\u00e9ries", - "OptionLatestMedia": "Les plus r\u00e9cents", - "ViewTypeTvFavoriteSeries": "S\u00e9ries favorites", - "ViewTypeTvFavoriteEpisodes": "Episodes favoris", - "LabelEpisodeNamePlain": "Nom d'\u00e9pisode", - "LabelSeriesNamePlain": "Nom de la s\u00e9rie", - "LabelSeasonNumberPlain": "Num\u00e9ro de la saison", - "LabelEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode", - "OptionLibraryFolders": "R\u00e9pertoires de m\u00e9dias", - "LabelEndingEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode final", + "LabelChapterName": "Chapitre {0}", + "HeaderNewApiKey": "Nouvelle cl\u00e9 API", + "LabelAppName": "Nom de l'app", + "LabelAppNameExample": "Exemple: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Permet \u00e0 une application de communiquer avec le serveur Emby.", + "HeaderHttpHeaders": "En-t\u00eates HTTP", + "HeaderIdentificationHeader": "En-t\u00eate d'identification", + "LabelValue": "Valeur :", + "LabelMatchType": "Type recherch\u00e9 :", + "OptionEquals": "Egale", + "OptionRegex": "Regex", + "OptionSubstring": "Sous-cha\u00eene", + "TabView": "Affichage", + "TabSort": "Trier", + "TabFilter": "Filtre", + "ButtonView": "Affichage", + "LabelPageSize": "Items par page :", + "LabelPath": "Chemin", + "LabelView": "Visualisation :", + "TabUsers": "Utilisateurs", + "LabelSortName": "Cl\u00e9 de tri", + "LabelDateAdded": "Date d'ajout", + "HeaderFeatures": "Fonctionnalit\u00e9s", + "HeaderAdvanced": "Avanc\u00e9", + "ButtonSync": "Sync", + "TabScheduledTasks": "T\u00e2ches planifi\u00e9es", + "HeaderChapters": "Chapitres", + "HeaderResumeSettings": "Reprendre les param\u00e8tres", + "TabSync": "Sync", + "TitleUsers": "Utilisateurs", + "LabelProtocol": "Protocole:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Streaming Http Live", + "LabelContext": "Contexte:", + "OptionContextStreaming": "Diffusion", + "OptionContextStatic": "Sync", + "ButtonAddToPlaylist": "Ajouter \u00e0 la liste de lecture", + "TabPlaylists": "Listes de lecture", + "ButtonClose": "Fermer", "LabelAllLanguages": "Toutes les langues", "HeaderBrowseOnlineImages": "Parcourir les images en ligne", "LabelSource": "Source :", @@ -939,509 +1067,388 @@ "LabelImage": "Image :", "ButtonBrowseImages": "Parcourir les images :", "HeaderImages": "Images", - "LabelReleaseDate": "Date de sortie", "HeaderBackdrops": "Arri\u00e8re-plans", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Emplacement de l'affichage de la m\u00e9t\u00e9o:", - "TabUsers": "Utilisateurs", - "LabelMaxChromecastBitrate": "D\u00e9bit Chromecast maximum", - "LabelEndDate": "Date de fin:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "R\u00e9sultat de l'identification", - "LabelWeatherDisplayLocationHelp": "Code ZIP US \/ Ville, \u00c9tat, Pays \/ Ville, Pays", - "LabelYear": "Ann\u00e9e", "HeaderAddUpdateImage": "Ajouter\/modifier l'image", - "LabelWeatherDisplayUnit": "Unit\u00e9 d'affichage de la m\u00e9t\u00e9o:", "LabelJpgPngOnly": "JPG\/PNG seulement", - "OptionCelsius": "Celsius", - "TabAppSettings": "Param\u00e8tres de l'applications", "LabelImageType": "Type d'image:", - "HeaderActivity": "Activit\u00e9", - "LabelChannelDownloadSizeLimit": "Taille limite de t\u00e9l\u00e9chargement (Go) :", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Principale", - "ScheduledTaskStartedWithName": "{0} a commenc\u00e9", - "MessageLoadingContent": "Chargement du contenu...", - "HeaderRequireManualLogin": "Exiger l'entr\u00e9e manuelle du nom d'utilisateur pour:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} a \u00e9t\u00e9 annul\u00e9", - "NotificationOptionUserLockedOut": "Utilisateur verrouill\u00e9", - "HeaderRequireManualLoginHelp": "Lorsque d\u00e9sactiv\u00e9, les clients pourront afficher la s\u00e9lection du compte utilisateur de mani\u00e8re graphique sur l'\u00e9cran de connexion.", "OptionBox": "Bo\u00eetier", - "ScheduledTaskCompletedWithName": "{0} termin\u00e9", - "OptionOtherApps": "Autres applications", - "TabScheduledTasks": "T\u00e2ches planifi\u00e9es", "OptionBoxRear": "Dos de bo\u00eetier", - "ScheduledTaskFailed": "T\u00e2che planifi\u00e9e termin\u00e9e", - "OptionMobileApps": "Applications mobiles", "OptionDisc": "Disque", - "PluginInstalledWithName": "{0} a \u00e9t\u00e9 install\u00e9", "OptionIcon": "Ic\u00f4ne", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} a \u00e9t\u00e9 mis \u00e0 jour", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} a \u00e9t\u00e9 d\u00e9sinstall\u00e9", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Sc\u00e8nes", - "ScheduledTaskFailedWithName": "{0} a \u00e9chou\u00e9", - "UserLockedOutWithName": "L'utilisateur {0} a \u00e9t\u00e9 verrouill\u00e9", "OptionLocked": "Verrouill\u00e9", - "ButtonSubtitles": "Sous-titres", - "ItemAddedWithName": "{0} a \u00e9t\u00e9 ajout\u00e9 \u00e0 la biblioth\u00e8que", "OptionUnidentified": "Non identifi\u00e9", - "ItemRemovedWithName": "{0} a \u00e9t\u00e9 supprim\u00e9 de la biblioth\u00e8que", "OptionMissingParentalRating": "Note de contr\u00f4le parental manquante", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} est connect\u00e9", "OptionStub": "Coupure", + "HeaderEpisodes": "Episodes:", + "OptionSeason0": "Saison 0", + "LabelReport": "Rapport:", + "OptionReportSongs": "Chansons", + "OptionReportSeries": "S\u00e9ries", + "OptionReportSeasons": "Saisons", + "OptionReportTrailers": "Bandes-annonces", + "OptionReportMusicVideos": "Vid\u00e9oclips", + "OptionReportMovies": "Films", + "OptionReportHomeVideos": "Vid\u00e9os personnelles", + "OptionReportGames": "Jeux", + "OptionReportEpisodes": "\u00c9pisodes", + "OptionReportCollections": "Collections", + "OptionReportBooks": "Livres", + "OptionReportArtists": "Artistes", + "OptionReportAlbums": "Albums", + "OptionReportAdultVideos": "Vid\u00e9os adultes", + "HeaderActivity": "Activit\u00e9", + "ScheduledTaskStartedWithName": "{0} a commenc\u00e9", + "ScheduledTaskCancelledWithName": "{0} a \u00e9t\u00e9 annul\u00e9", + "ScheduledTaskCompletedWithName": "{0} termin\u00e9", + "ScheduledTaskFailed": "T\u00e2che planifi\u00e9e termin\u00e9e", + "PluginInstalledWithName": "{0} a \u00e9t\u00e9 install\u00e9", + "PluginUpdatedWithName": "{0} a \u00e9t\u00e9 mis \u00e0 jour", + "PluginUninstalledWithName": "{0} a \u00e9t\u00e9 d\u00e9sinstall\u00e9", + "ScheduledTaskFailedWithName": "{0} a \u00e9chou\u00e9", + "ItemAddedWithName": "{0} a \u00e9t\u00e9 ajout\u00e9 \u00e0 la biblioth\u00e8que", + "ItemRemovedWithName": "{0} a \u00e9t\u00e9 supprim\u00e9 de la biblioth\u00e8que", + "DeviceOnlineWithName": "{0} est connect\u00e9", "UserOnlineFromDevice": "{0} s'est connect\u00e9 depuis {1}", - "ButtonStop": "Arr\u00eat", "DeviceOfflineWithName": "{0} s'est d\u00e9connect\u00e9", - "OptionList": "Liste", - "OptionSeason0": "Saison 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} s'est d\u00e9connect\u00e9 depuis {1}", - "TabDashboard": "Tableau de bord", - "LabelReport": "Rapport:", "SubtitlesDownloadedForItem": "Les sous-titres de {0} ont \u00e9t\u00e9 t\u00e9l\u00e9charg\u00e9s", - "TitleServer": "Serveur", - "OptionReportSongs": "Chansons", "SubtitleDownloadFailureForItem": "Le t\u00e9l\u00e9chargement des sous-titres pour {0} a \u00e9chou\u00e9.", - "LabelCache": "Cache :", - "OptionReportSeries": "S\u00e9ries", "LabelRunningTimeValue": "Dur\u00e9e: {0}", - "LabelLogs": "Logs :", - "OptionReportSeasons": "Saisons", "LabelIpAddressValue": "Adresse IP: {0}", - "LabelMetadata": "M\u00e9tadonn\u00e9es :", - "OptionReportTrailers": "Bandes-annonces", - "ViewTypeMusicPlaylists": "Listes de lectures", + "UserLockedOutWithName": "L'utilisateur {0} a \u00e9t\u00e9 verrouill\u00e9", "UserConfigurationUpdatedWithName": "La configuration utilisateur de {0} a \u00e9t\u00e9 mise \u00e0 jour", - "NotificationOptionNewLibraryContentMultiple": "Nouveau contenu ajout\u00e9 (multiple)", - "LabelImagesByName": "Images tri\u00e9es par nom :", - "OptionReportMusicVideos": "Vid\u00e9oclips", "UserCreatedWithName": "L'utilisateur {0} a \u00e9t\u00e9 cr\u00e9\u00e9.", - "HeaderSendMessage": "Envoyer un message", - "LabelTranscodingTemporaryFiles": "Transcodage de fichiers temporaires :", - "OptionReportMovies": "Films", "UserPasswordChangedWithName": "Le mot de passe pour l'utilisateur {0} a \u00e9t\u00e9 modifi\u00e9.", - "ButtonSend": "Envoyer", - "OptionReportHomeVideos": "Vid\u00e9os personnelles", "UserDeletedWithName": "L'utilisateur {0} a \u00e9t\u00e9 supprim\u00e9.", - "LabelMessageText": "Texte du message:", - "OptionReportGames": "Jeux", "MessageServerConfigurationUpdated": "La configuration du serveur a \u00e9t\u00e9 mise \u00e0 jour.", - "HeaderKodiMetadataHelp": "Emby supporte nativement les fichiers de m\u00e9tadonn\u00e9es Nfo. Pour activer ou d\u00e9sactiver les m\u00e9tadonn\u00e9es Nfo, veuillez utiliser l'onglet Avanc\u00e9 pour configurer les options des types de m\u00e9dias.", - "OptionReportEpisodes": "\u00c9pisodes", - "ButtonPreviousTrack": "Piste pr\u00e9c\u00e9dente", "MessageNamedServerConfigurationUpdatedWithValue": "La configuration de la section {0} du serveur a \u00e9t\u00e9 mise \u00e0 jour.", - "LabelKodiMetadataUser": "Synchroniser les donn\u00e9es de visionnage utilisateur en nfo pour :", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Piste suivante", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Le serveur Emby a \u00e9t\u00e9 mis \u00e0 jour", - "LabelKodiMetadataUserHelp": "Activez cette option pour synchroniser les donn\u00e9es de lecture entre le serveur Emby et les fichiers Nfo.", - "OptionReportBooks": "Livres", - "HeaderServerSettings": "Param\u00e8tres du serveur", "AuthenticationSucceededWithUserName": "{0} s'est authentifi\u00e9 avec succ\u00e8s", - "LabelKodiMetadataDateFormat": "Format de la date de sortie :", - "OptionReportArtists": "Artistes", "FailedLoginAttemptWithUserName": "Echec d'une tentative de connexion de {0}", - "LabelKodiMetadataDateFormatHelp": "Toutes les dates du nfo seront lues et \u00e9crites en utilisant ce format.", - "ButtonAddToPlaylist": "Ajouter \u00e0 la liste de lecture", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} est en train de t\u00e9l\u00e9charger {1}", "UserStartedPlayingItemWithValues": "{0} vient de commencer la lecture de {1}", - "LabelKodiMetadataSaveImagePaths": "Sauvegarder le chemin des images dans les fichiers nfo", - "LabelDisplayCollectionsView": "Afficher un aper\u00e7u de collections pour montrer les collections de film", - "AdditionalNotificationServices": "Visitez le catalogue de plugins pour installer des services de notifications suppl\u00e9mentaires.", - "OptionReportAdultVideos": "Vid\u00e9os adultes", "UserStoppedPlayingItemWithValues": "{0} vient d'arr\u00eater la lecture de {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Ceci est recommand\u00e9 si les noms des fichiers d'images ne sont pas conformes aux recommandations d'Xbmc.", "AppDeviceValues": "Application : {0}, Appareil: {1}", - "LabelMaxStreamingBitrate": "D\u00e9bit max de streaming :", - "LabelKodiMetadataEnablePathSubstitution": "Activer la substitution de chemins", - "LabelProtocolInfo": "Infos sur le protocole:", "ProviderValue": "Fournisseur : {0}", + "LabelChannelDownloadSizeLimit": "Taille limite de t\u00e9l\u00e9chargement (Go) :", + "LabelChannelDownloadSizeLimitHelpText": "Limiter la taille du r\u00e9pertoire de t\u00e9l\u00e9chargement des cha\u00eenes.", + "HeaderRecentActivity": "Activit\u00e9 r\u00e9cente", + "HeaderPeople": "Personnes", + "HeaderDownloadPeopleMetadataFor": "T\u00e9l\u00e9charger la biographie et les images pour:", + "OptionComposers": "Compositeurs", + "OptionOthers": "Autres", + "HeaderDownloadPeopleMetadataForHelp": "Activer les options compl\u00e9mentaires fournira plus d'informations \u00e0 l'\u00e9cran mais ralentira les scans de la biblioth\u00e8que de medias.", + "ViewTypeFolders": "R\u00e9pertoires", + "LabelDisplayFoldersView": "Afficher une vue mosa\u00efque pour montrer les dossiers media en int\u00e9gralit\u00e9.", + "ViewTypeLiveTvRecordingGroups": "Enregistrements", + "ViewTypeLiveTvChannels": "Cha\u00eenes", "LabelEasyPinCode": "Code Easy Pin :", - "LabelMaxStreamingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max lors du streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Activer la substitution du chemin des images en utilisant les param\u00e8tres de substitution des chemins du serveur.", - "LabelProtocolInfoHelp": "La valeur qui sera utilis\u00e9e pour r\u00e9pondre aux requ\u00eates GetProtocolInfo du p\u00e9riph\u00e9rique.", - "LabelMaxStaticBitrate": "D\u00e9bit max de synchronisation :", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Voir substitution de chemins.", - "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, puis s\u00e9lectionnez Ajouter \u00e0 la liste de lecture", "EasyPasswordHelp": "Votre code Easy Pin est utilis\u00e9 pour l'acc\u00e8s offline par les applications Emby compatibles. Il peut \u00e9galement servir \u00e0 simplifier votre connexion depuis votre r\u00e9seau local.", - "LabelMaxStaticBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit max pour la synchronisation de contenu en haute qualit\u00e9.", - "LabelKodiMetadataEnableExtraThumbs": "Copier les extrafanart dans les extrathumbs", - "MessageNoPlaylistItemsAvailable": "Cette liste de lecture est actuellement vide.", - "TabSync": "Sync", - "LabelProtocol": "Protocole:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Pendant le t\u00e9l\u00e9chargement, les images peuvent \u00eatre sauvegard\u00e9es en tant qu'extrafanart et extrathumbs pour am\u00e9liorer la compatibilit\u00e9 avec le skin Xbmc.", - "TabPlaylists": "Listes de lecture", - "LabelPersonRole": "R\u00f4le:", "LabelInNetworkSignInWithEasyPassword": "Activer l'authentification simplifi\u00e9e dans les r\u00e9seaux domestiques avec mon code Easy Pin", - "TitleUsers": "Utilisateurs", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Le r\u00f4le n'est g\u00e9n\u00e9ralement applicable qu'aux acteurs.", - "OptionProtocolHls": "Streaming Http Live", - "LabelPath": "Chemin", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "Si vous activez cette option, vous pourrez utiliser votre code Easy Pin pour vous connecter aux applications Emby depuis l'int\u00e9rieur de votre r\u00e9seau local. Votre mot de passe habituel ne sera requis que depuis l'ext\u00e9rieur. Si le code Pin n'est pas d\u00e9fini, vous n'aurez pas besoin de mot de passe depuis l'int\u00e9rieur de votre r\u00e9seau local.", - "LabelContext": "Contexte:", - "LabelSortName": "Cl\u00e9 de tri", - "OptionContextStreaming": "Diffusion", - "LabelDateAdded": "Date d'ajout", + "HeaderPassword": "Mot de passe", + "HeaderLocalAccess": "Acc\u00e8s local", + "HeaderViewOrder": "Ordre d'affichage", "ButtonResetEasyPassword": "R\u00e9initialiser le code Easy Pin", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choisissez l'ordre dans lequel les pages des applications Emby seront affich\u00e9es", "LabelMetadataRefreshMode": "Mode de mise \u00e0 jour des m\u00e9tadonn\u00e9es :", - "ViewTypeChannels": "Cha\u00eenes", "LabelImageRefreshMode": "Mode de mise \u00e0 jour des images :", - "ViewTypeLiveTV": "TV en direct", - "HeaderSendNotificationHelp": "Par d\u00e9faut, les notifications sont pr\u00e9sent\u00e9es dans la bo\u00eete de messagerie de votre tableau de bord. Parcourrez le catalogue de plugins pour installer des options suppl\u00e9mentaires de notification.", "OptionDownloadMissingImages": "T\u00e9l\u00e9charger les images manquantes", "OptionReplaceExistingImages": "Remplacer les images existantes", "OptionRefreshAllData": "Actualiser toutes les donn\u00e9es", "OptionAddMissingDataOnly": "Ajouter uniquement les donn\u00e9es manquantes", "OptionLocalRefreshOnly": "Mise \u00e0 jour locale uniquement", - "LabelGroupMoviesIntoCollections": "Grouper les films en collections", "HeaderRefreshMetadata": "Actualiser les m\u00e9tadonn\u00e9es", - "LabelGroupMoviesIntoCollectionsHelp": "Dans l'affichage des listes de films, les films faisant partie d'une collection seront affich\u00e9s comme un groupe d'items.", "HeaderPersonInfo": "Info personnes", "HeaderIdentifyItem": "Identification de l'\u00e9l\u00e9ment", "HeaderIdentifyItemHelp": "Entrez un ou plusieurs crit\u00e8res de recherche. Retirez des crit\u00e8res pour \u00e9largir les r\u00e9sultats de la recherche.", - "HeaderLatestMedia": "Derniers m\u00e9dias", + "HeaderConfirmDeletion": "Confirmer la suppression", "LabelFollowingFileWillBeDeleted": "Le fichier suivant sera supprim\u00e9 :", "LabelIfYouWishToContinueWithDeletion": "Si vous souhaitez continuer, veuillez confirmer en entrant la valeur de :", - "OptionSpecialFeatures": "Bonus", "ButtonIdentify": "Identifier", "LabelAlbumArtist": "Album de l'artiste", + "LabelAlbumArtists": "Artistes de l'album :", "LabelAlbum": "Album :", "LabelCommunityRating": "Note de la communaut\u00e9", "LabelVoteCount": "Nombre de votes", - "ButtonSearch": "Recherche", "LabelMetascore": "Metascore", "LabelCriticRating": "Note des critiques", "LabelCriticRatingSummary": "R\u00e9sum\u00e9 des critiques", "LabelAwardSummary": "R\u00e9compenses", - "LabelSeasonZeroFolderName": "Nom de r\u00e9pertoire pour les saison z\u00e9ro:", "LabelWebsite": "Site Web", - "HeaderEpisodeFilePattern": "Mod\u00e8le de fichier d'\u00e9pisode", "LabelTagline": "Slogan", - "LabelEpisodePattern": "Mod\u00e8le d'\u00e9pisode", "LabelOverview": "Synopsis", - "LabelMultiEpisodePattern": "Mod\u00e8le de multi-\u00e9pisodes:", "LabelShortOverview": "R\u00e9sum\u00e9", - "HeaderSupportedPatterns": "Mod\u00e8les support\u00e9s", - "MessageNoMovieSuggestionsAvailable": "Aucune suggestion de film n'est actuellement disponible. Commencez \u00e0 regarder et notez vos films pour avoir des suggestions.", - "LabelMusicStaticBitrate": "D\u00e9bit de synchronisation de la musique", + "LabelReleaseDate": "Date de sortie", + "LabelYear": "Ann\u00e9e", "LabelPlaceOfBirth": "Lieu de naissance :", - "HeaderTerm": "Terme", - "MessageNoCollectionsAvailable": "Les collections vous permettent de tirer parti de groupements personnalis\u00e9s de films, de s\u00e9ries, d'albums audio, de livres et de jeux. Cliquez sur le bouton + pour commencer \u00e0 cr\u00e9er des Collections.", - "LabelMusicStaticBitrateHelp": "Sp\u00e9cifier un d\u00e9bit maxi de synchronisation de la musique", + "LabelEndDate": "Date de fin:", "LabelAirDate": "Jours de diffusion", - "HeaderPattern": "Mod\u00e8le", - "LabelMusicStreamingTranscodingBitrate": "D\u00e9bit du transcodage musique :", "LabelAirTime:": "Heure de diffusion", - "HeaderNotificationList": "Cliquez sur une notification pour configurer ses options d'envois", - "HeaderResult": "R\u00e9sultat", - "LabelMusicStreamingTranscodingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max pendant la diffusion de musique", "LabelRuntimeMinutes": "Dur\u00e9e (minutes)", - "LabelNotificationEnabled": "Activer cette notification", - "LabelDeleteEmptyFolders": "Supprimer les r\u00e9pertoires vides apr\u00e8s l'auto-organisation", - "HeaderRecentActivity": "Activit\u00e9 r\u00e9cente", "LabelParentalRating": "Classification parentale", - "LabelDeleteEmptyFoldersHelp": "Activer cette option pour garder le r\u00e9pertoire de t\u00e9l\u00e9chargement vide.", - "ButtonOsd": "Affichage \u00e0 l'\u00e9cran", - "HeaderPeople": "Personnes", "LabelCustomRating": "Classification personnalis\u00e9e", - "LabelDeleteLeftOverFiles": "Supprimer les fichiers restants avec les extensions suivantes :", - "MessageNoAvailablePlugins": "Aucun plugin disponible.", - "HeaderDownloadPeopleMetadataFor": "T\u00e9l\u00e9charger la biographie et les images pour:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Lecture vid\u00e9o d\u00e9marr\u00e9e", - "LabelDeleteLeftOverFilesHelp": "S\u00e9parez les \u00e9l\u00e9ments par des point-virgules. Par exemple: .nfo;.txt", - "LabelDisplayPluginsFor": "Afficher les plugins pour :", - "OptionComposers": "Compositeurs", "LabelRevenue": "Box-office ($)", - "NotificationOptionAudioPlayback": "Lecture audio d\u00e9marr\u00e9e", - "OptionOverwriteExistingEpisodes": "Remplacer les \u00e9pisodes existants", - "OptionOthers": "Autres", "LabelOriginalAspectRatio": "Ratio d'aspect original", - "NotificationOptionGamePlayback": "Lecture de jeu d\u00e9marr\u00e9e", - "LabelTransferMethod": "M\u00e9thode de transfert", "LabelPlayers": "Joueurs:", - "OptionCopy": "Copier", "Label3DFormat": "Format 3D", - "NotificationOptionNewLibraryContent": "Nouveau contenu ajout\u00e9", - "OptionMove": "D\u00e9placer", "HeaderAlternateEpisodeNumbers": "Num\u00e9ros d'\u00e9pisode alternatif", - "NotificationOptionServerRestartRequired": "Un red\u00e9marrage du serveur est requis", - "LabelTransferMethodHelp": "Copier ou d\u00e9placer des fichiers du r\u00e9pertoire surveill\u00e9", "HeaderSpecialEpisodeInfo": "Information \u00e9pisode sp\u00e9cial", - "LabelMonitorUsers": "Surveiller les activit\u00e9s de:", - "HeaderLatestNews": "Derni\u00e8res nouvelles", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "Identifiants externes", - "LabelSendNotificationToUsers": "Envoyer la notification \u00e0:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Cha\u00eenes", - "HeaderRunningTasks": "T\u00e2ches en ex\u00e9cution", - "HeaderConfirmDeletion": "Confirmer la suppression", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Qualit\u00e9 de diffusion internet pr\u00e9f\u00e9r\u00e9e :", - "HeaderActiveDevices": "Appareils actifs", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "Avec une bande passante faible, limiter la qualit\u00e9 garantit un confort d'utilisation du streaming.", - "HeaderPendingInstallations": "Installations en suspens", - "HeaderTypeText": "Entrer texte", - "OptionBestAvailableStreamQuality": "Meilleur disponible", - "LabelUseNotificationServices": "Utiliser les services suivants:", - "LabelTypeText": "Texte", - "ButtonEditOtherUserPreferences": "Modifier ce profil utilisateur, son avatar et ses pr\u00e9f\u00e9rences personnelles.", - "LabelEnableChannelContentDownloadingFor": "Activer le t\u00e9l\u00e9chargement de contenu de cha\u00eene pour:", - "NotificationOptionApplicationUpdateAvailable": "Mise \u00e0 jour d'application disponible", + "LabelDvdSeasonNumber": "Num\u00e9ro de saison DVD :", + "LabelDvdEpisodeNumber": "Num\u00e9ro d'Episode DVD:", + "LabelAbsoluteEpisodeNumber": "Num\u00e9ro absolu d'\u00e9pisode:", + "LabelAirsBeforeSeason": "Diffusion avant la saison :", + "LabelAirsAfterSeason": "Diffusion apr\u00e8s la saison :", "LabelAirsBeforeEpisode": "Diffusion avant l'\u00e9pisode :", "LabelTreatImageAs": "Consid\u00e9rer l'image comme:", - "ButtonReset": "R\u00e9initialiser", "LabelDisplayOrder": "Param\u00e8tres d'affichage", "LabelDisplaySpecialsWithinSeasons": "Afficher les \u00e9pisodes sp\u00e9ciaux avec leur saison de diffusion", - "HeaderAddTag": "Ajouter un tag", - "LabelNativeExternalPlayersHelp": "Afficher les boutons pour lire le contenu sur les lecteurs externes.", "HeaderCountries": "Pays", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "afficher les mots cl\u00e9s", - "LabelEnableItemPreviews": "Activer les aper\u00e7us des \u00e9l\u00e9ments", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "R\u00e9glages m\u00e9tadonn\u00e9es", - "LabelEnableItemPreviewsHelp": "Activez cette option pour faire appara\u00eetre des aper\u00e7us d\u00e9roulants lorsque vous cliquez sur les \u00e9l\u00e9ments de certains \u00e9crans", - "LabelLockItemToPreventChanges": "Verrouiller cet \u00e9l\u00e9ment pour \u00e9viter de futures modifications", - "LabelExternalPlayers": "Lecteurs externes:", - "MessageLeaveEmptyToInherit": "Laisser vide pour h\u00e9riter des r\u00e9glages de l'\u00e9l\u00e9ment parent, ou de la valeur globale par d\u00e9faut.", - "LabelExternalPlayersHelp": "Afficher les boutons pour lire du contenu sur le lecteur externe. Ceci est valable uniquement sur des appareils supportant les URLs, g\u00e9n\u00e9ralement Android et iOS. Avec les lecteurs externes il n'y a g\u00e9n\u00e9ralement pas de support pour le contr\u00f4le \u00e0 distance ou la reprise.", - "ButtonUnlockGuide": "D\u00e9verrouiller le Guide", - "HeaderDonationType": "Type de don :", - "OptionMakeOneTimeDonation": "Faire un don s\u00e9par\u00e9", - "OptionNoTrailer": "Aucune bande-annonce", - "OptionNoThemeSong": "Pas de th\u00e8me de musique", - "OptionNoThemeVideo": "Pas de th\u00e8me vid\u00e9o", - "LabelOneTimeDonationAmount": "Montant du don :", - "ButtonLearnMore": "En savoir plus", - "ButtonLearnMoreAboutEmbyConnect": "Plus d'infos sur Emby Connect", - "LabelNewUserNameHelp": "Les noms d'utilisateur peuvent contenir des lettres (a-z), des chiffres (0-9), des tirets (-), des tirets bas (_), des apostrophes (') et des points (.).", - "OptionEnableExternalVideoPlayers": "Activer les lecteurs vid\u00e9o externes", - "HeaderOptionalLinkEmbyAccount": "Optionnel : liez votre compte Emby", - "LabelEnableInternetMetadataForTvPrograms": "T\u00e9l\u00e9charger les m\u00e9ta-donn\u00e9es depuis Internet pour :", - "LabelCustomDeviceDisplayName": "Nom d'affichage:", - "OptionTVMovies": "T\u00e9l\u00e9films", - "LabelCustomDeviceDisplayNameHelp": "Entrez un nom d'affichage personnalis\u00e9 ou laissez vide pour utiliser le nom rapport\u00e9 par l'appareil.", - "HeaderInviteUser": "Inviter un utilisateur", - "HeaderUpcomingMovies": "Films \u00e0 venir", - "HeaderInviteUserHelp": "Le partage de m\u00e9dias avec vos amis n'a jamais \u00e9t\u00e9 aussi facile avec Emby Connect.", - "ButtonSendInvitation": "Envoyez un invitation", - "HeaderGuests": "Invit\u00e9s", - "HeaderUpcomingPrograms": "Programmes \u00e0 venir", - "HeaderLocalUsers": "Utilisateurs locaux", - "HeaderPendingInvitations": "Invitations en attente", - "LabelShowLibraryTileNames": "Voir les noms des affiches de la biblioth\u00e8que", - "LabelShowLibraryTileNamesHelp": "D\u00e9termine si les noms doivent \u00eatre affich\u00e9s en dessous des affiches de la biblioth\u00e8que sur la page d'accueil", - "TitleDevices": "Appareils", - "TabCameraUpload": "Upload du contenu de l'appareil photo", - "HeaderCameraUploadHelp": "Uploadez automatiquement dans Emby les photos et vid\u00e9os prises depuis votre mobile.", - "TabPhotos": "Photos", - "HeaderSchedule": "Al\u00e9atoire", - "MessageNoDevicesSupportCameraUpload": "Vous n'avez actuellement aucun appareil supportant l'upload du contenu de l'appareil photo.", - "OptionEveryday": "Tous les jours", - "LabelCameraUploadPath": "R\u00e9pertoire d'upload du contenu de l'appareil photo :", - "OptionWeekdays": "Jours de la semaine", - "LabelCameraUploadPathHelp": "Si vous le souhaitez, vous pouvez choisir un r\u00e9pertoire d'upload personnalis\u00e9. Sinon, le r\u00e9pertoire par d\u00e9faut sera utilis\u00e9. Si vous utilisez un r\u00e9pertoire personnalis\u00e9, vous devrez le rajouter \u00e0 la biblioth\u00e8que.", - "OptionWeekends": "Week-ends", - "LabelCreateCameraUploadSubfolder": "Cr\u00e9er un sous-dossier pour chaque appareil", - "MessageProfileInfoSynced": "Information de profil utilisateur synchronis\u00e9 avec Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Des r\u00e9pertoires sp\u00e9cifiques peuvent \u00eatres affect\u00e9 aux appareils en cliquant sur le bouton correspondant dans la page des appareils.", - "TabVideos": "Vid\u00e9os", - "ButtonTrailerReel": "Bobine bande-annonce", - "HeaderTrailerReel": "Bobine Bande-annonce", - "OptionPlayUnwatchedTrailersOnly": "Lire seulement les bandes-annonces non lues.", - "HeaderTrailerReelHelp": "Cr\u00e9er une bobine de bande-annonces pour lire une longue liste de bandes-annonces.", - "TabDevices": "Appareils", - "MessageNoTrailersFound": "Aucune bande-annonce trouv\u00e9e. Installez la cha\u00eene Bande-annonces pour am\u00e9liorer votre exp\u00e9rience, par l'ajout d'une biblioth\u00e8que de bandes-annonces disponibles sur Internet.", - "HeaderWelcomeToEmby": "Bienvenue sur Emby", - "OptionAllowSyncContent": "Autoriser la synchronisation", - "LabelDateAddedBehavior": "Choix des dates lors de l'ajout de nouveau contenu:", - "HeaderLibraryAccess": "Acc\u00e8s \u00e0 la librairie", - "OptionDateAddedImportTime": "Utiliser la dates du scan de la biblioth\u00e8que", - "EmbyIntroMessage": "Avec Emby, vous pouvez facilement diffuser vid\u00e9os, musique et photos sur Android et autres p\u00e9riph\u00e9riques de votre serveur Emby.", - "HeaderChannelAccess": "Acc\u00e8s Cha\u00eene", - "LabelEnableSingleImageInDidlLimit": "Limiter \u00e0 une seule image int\u00e9gr\u00e9e", - "OptionDateAddedFileTime": "Utiliser la date de cr\u00e9ation de fichier", - "HeaderLatestItems": "Derniers items", - "LabelEnableSingleImageInDidlLimitHelp": "Quelques p\u00e9riph\u00e9riques ne fourniront pas un rendu correct si plusieurs images sont int\u00e9gr\u00e9es dans Didl", - "LabelDateAddedBehaviorHelp": "Si une m\u00e9dadonn\u00e9e est pr\u00e9sente, elle sera toujours utilis\u00e9e avant toutes ces options.", - "LabelSelectLastestItemsFolders": "Inclure les m\u00e9dias provenant des sections suivantes dans les Derniers Items", - "LabelNumberTrailerToPlay": "Nombre de bandes-annonces \u00e0 lire :", - "ButtonSkip": "Passer", - "OptionAllowAudioPlaybackTranscoding": "Autoriser la lecture de musique n\u00e9cessitant un transcodage", - "OptionAllowVideoPlaybackTranscoding": "Autoriser la lecture de vid\u00e9os n\u00e9cessitant un transcodage", - "NameSeasonUnknown": "Saison inconnue", - "NameSeasonNumber": "Saison {0}", - "TextConnectToServerManually": "Connexion manuelle \u00e0 mon serveur", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Profil de sous-titre", - "LabelRemoteClientBitrateLimit": "Limite de d\u00e9bit du client distant (Mbps):", - "HeaderSubtitleProfiles": "Profils de sous-titre", - "OptionDisableUserPreferences": "D\u00e9sactiver l'acc\u00e8s aux pr\u00e9f\u00e9rences utilisateurs", - "HeaderSubtitleProfilesHelp": "Les profils de sous-titre d\u00e9crivent les formats de sous-titre support\u00e9s par l'appareil.", - "OptionDisableUserPreferencesHelp": "Si activ\u00e9, seuls les administrateurs seront capables de configurer les images de profil utilisateurs, les mots de passe, et les langues pr\u00e9f\u00e9r\u00e9es.", - "LabelFormat": "Format:", - "HeaderSelectServer": "S\u00e9lectionner le serveur", - "ButtonConnect": "Connexion", - "LabelRemoteClientBitrateLimitHelp": "Une limite de d\u00e9bit optionnelle du streaming pour tous les clients distant. Utile pour \u00e9viter que les clients demandent une bande passante sup\u00e9rieure \u00e0 ce que votre connexion peu fournir.", - "LabelMethod": "M\u00e9thode:", - "MessageNoServersAvailableToConnect": "Connexion impossible, aucun serveurs disponible. Si vous avez \u00e9t\u00e9 invit\u00e9 \u00e0 partager un serveur, veuillez accepter ci-dessous ou en cliquant sur le lien dans le mail.", - "LabelDidlMode": "Mode Didl:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "R\u00e9solution d'\u00e9l\u00e9ment", - "HeaderSignInWithConnect": "Se connecter avec Emby Connect", - "OptionEmbedSubtitles": "Am\u00e9lior\u00e9 avec container", - "OptionExternallyDownloaded": "T\u00e9l\u00e9chargement externe", - "LabelServerHost": "Nom d'h\u00f4te :", - "CinemaModeConfigurationHelp2": "Les utilisateurs ont la possibilit\u00e9 de d\u00e9sactiver le mode cin\u00e9ma dans leurs propres pr\u00e9f\u00e9rences.", - "OptionOneTimeDescription": "Il s'agit d'une donation additionnelle \u00e0 l'\u00e9quipe pour montrer votre support. Elle ne vous apportera pas de b\u00e9n\u00e9fices suppl\u00e9mentaires et ne vous donnera pas de cl\u00e9 de supporteur.", - "OptionHlsSegmentedSubtitles": "Sous-titres segment\u00e9 HIs", - "LabelEnableCinemaMode": "Activer le mode cin\u00e9ma", - "LabelAirDays": "Jours de diffusion", - "HeaderCinemaMode": "Mode cin\u00e9ma", - "LabelAirTime": "Heure de diffusion", - "HeaderMediaInfo": "Information m\u00e9dia", - "HeaderPhotoInfo": "Information photo", - "OptionAllowContentDownloading": "Autoriser le t\u00e9l\u00e9chargement de m\u00e9dias", - "LabelServerHostHelp": "192.168.1.1 ou https:\/\/monserveur.com", + "LabelLockItemToPreventChanges": "Verrouiller cet \u00e9l\u00e9ment pour \u00e9viter de futures modifications", + "MessageLeaveEmptyToInherit": "Laisser vide pour h\u00e9riter des r\u00e9glages de l'\u00e9l\u00e9ment parent, ou de la valeur globale par d\u00e9faut.", "TabDonate": "Faire un don", + "HeaderDonationType": "Type de don :", + "OptionMakeOneTimeDonation": "Faire un don s\u00e9par\u00e9", + "OptionOneTimeDescription": "Il s'agit d'une donation additionnelle \u00e0 l'\u00e9quipe pour montrer votre support. Elle ne vous apportera pas de b\u00e9n\u00e9fices suppl\u00e9mentaires et ne vous donnera pas de cl\u00e9 de supporteur.", "OptionLifeTimeSupporterMembership": "Partenariat de supporteur \u00e0 vie", - "LabelServerPort": "Port :", "OptionYearlySupporterMembership": "Partenariat de supporteur annuel", - "LabelConversionCpuCoreLimit": "Limite de c\u0153ur CPU:", "OptionMonthlySupporterMembership": "Partenariat de supporteur mensuel", - "LabelConversionCpuCoreLimitHelp": "Limite le nombre de c\u0153ur du processeur utilis\u00e9s pendant le transcodage.", - "ButtonChangeServer": "Changer de serveur", - "OptionEnableFullSpeedConversion": "Autoriser le transcodage rapide", - "OptionEnableFullSpeedConversionHelp": "Par d\u00e9faut, le transcodage est r\u00e9alis\u00e9 de mani\u00e8re lente pour minimiser la consommation de ressources.", - "HeaderConnectToServer": "Connexion au serveur", - "LabelBlockContentWithTags": "Bloquer le contenu comportant les tags suivants :", + "OptionNoTrailer": "Aucune bande-annonce", + "OptionNoThemeSong": "Pas de th\u00e8me de musique", + "OptionNoThemeVideo": "Pas de th\u00e8me vid\u00e9o", + "LabelOneTimeDonationAmount": "Montant du don :", + "ButtonDonate": "Faire un don", + "ButtonPurchase": "Acheter", + "OptionActor": "Acteur(trice)", + "OptionComposer": "Compositeur:", + "OptionDirector": "R\u00e9alisateur:", + "OptionGuestStar": "Invit\u00e9s d'honneur", + "OptionProducer": "Producteur", + "OptionWriter": "Sc\u00e9nariste", + "LabelAirDays": "Jours de diffusion", + "LabelAirTime": "Heure de diffusion", + "HeaderMediaInfo": "Information m\u00e9dia", + "HeaderPhotoInfo": "Information photo", "HeaderInstall": "Install\u00e9", "LabelSelectVersionToInstall": "S\u00e9lectionner la version \u00e0 installer :", "LinkSupporterMembership": "En savoir plus sur le partenariat de supporteur", "MessageSupporterPluginRequiresMembership": "Ce plugin requiert un compte supporteur actif apr\u00e8s la p\u00e9riode d'essai gratuit de 14 jours.", "MessagePremiumPluginRequiresMembership": "Ce plugin requiert un compte supporteur actif afin de l'acheter apr\u00e8s les 14 jours d'essais gratuits", "HeaderReviews": "Revues", - "LabelTagFilterMode": "Mode :", "HeaderDeveloperInfo": "Info d\u00e9velopeur", "HeaderRevisionHistory": "Historique des r\u00e9visions", "ButtonViewWebsite": "Voir le site", - "LabelTagFilterAllowModeHelp": "Si l'autorisation par tags est appliqu\u00e9e \u00e0 un contenu d'un sous-r\u00e9pertoire, les r\u00e9pertoires parents devront \u00e9galement \u00eatre marqu\u00e9s avec ces m\u00eames tags.", - "HeaderPlaylists": "Listes de lecture", - "LabelEnableFullScreen": "Activer le mode plein \u00e9cran", - "OptionEnableTranscodingThrottle": "Activer le throttling", - "LabelEnableChromecastAc3Passthrough": "Activer le mode Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Le throttling consiste \u00e0 ajuster automatiquement la fr\u00e9quence de transcodage afin de minimiser l'utilisation CPU pendant la lecture.", - "LabelSyncPath": "Chemin du contenu synchronis\u00e9:", - "OptionActor": "Acteur(trice)", - "ButtonDonate": "Faire un don", - "TitleNewUser": "Nouvel utilisateur", - "OptionComposer": "Compositeur:", - "ButtonConfigurePassword": "Configurer mot de passe", - "OptionDirector": "R\u00e9alisateur:", - "HeaderDashboardUserPassword": "Les mots de passe utilisateurs sont g\u00e9r\u00e9s dans les param\u00e8tres de profil personnel de chaque utilisateur.", - "OptionGuestStar": "Invit\u00e9s d'honneur", - "OptionProducer": "Producteur", - "OptionWriter": "Sc\u00e9nariste", "HeaderXmlSettings": "R\u00e9glages Xml", "HeaderXmlDocumentAttributes": "Attributs des documents Xml", - "ButtonSignInWithConnect": "Se connecter avec Emby Connect", "HeaderXmlDocumentAttribute": "Attribut des documents Xml", "XmlDocumentAttributeListHelp": "Ces attributs sont appliqu\u00e9s \u00e0 l'\u00e9l\u00e9ment racine de chaque r\u00e9ponse xml", - "ValueSpecialEpisodeName": "Sp\u00e9cial - {0}", "OptionSaveMetadataAsHidden": "Sauvegarder les m\u00e9ta-donn\u00e9es et les images en tant que fichier cach\u00e9s", - "HeaderNewServer": "Nouveau serveur", - "TabActivity": "Activit\u00e9", - "TitleSync": "Sync.", - "HeaderShareMediaFolders": "Partager les r\u00e9pertoires de m\u00e9dias", - "MessageGuestSharingPermissionsHelp": "La plupart des fonctions sont initialement indisponibles pour les invit\u00e9s mais peuvent \u00eatre activ\u00e9es au besoin.", - "HeaderInvitations": "Invitations", + "LabelExtractChaptersDuringLibraryScan": "Extraire les images des chapitres pendant le scan de la biblioth\u00e8que", + "LabelExtractChaptersDuringLibraryScanHelp": "Si activ\u00e9, les images de chapitres seront extraites lors de l'importation de vid\u00e9os pendant le scan de la librairie. Sinon elles seront extraites pendant la t\u00e2che programm\u00e9e, permettant de terminer plus rapidement les scans r\u00e9guliers de la librairie.", + "LabelConnectGuestUserName": "Nom d'utilisateur Emby ou adresse email de l'invit\u00e9 :", + "LabelConnectUserName": "Nom d'utilisateur Emby ou adresse email :", + "LabelConnectUserNameHelp": "Connectez cet utilisateur \u00e0 un compte Emby pour activer l'acc\u00e8s par code Easy Pin depuis n'importe quelle application Emby sans avoir \u00e0 conna\u00eetre l'adresse IP du serveur.", + "ButtonLearnMoreAboutEmbyConnect": "Plus d'infos sur Emby Connect", + "LabelExternalPlayers": "Lecteurs externes:", + "LabelExternalPlayersHelp": "Afficher les boutons pour lire du contenu sur le lecteur externe. Ceci est valable uniquement sur des appareils supportant les URLs, g\u00e9n\u00e9ralement Android et iOS. Avec les lecteurs externes il n'y a g\u00e9n\u00e9ralement pas de support pour le contr\u00f4le \u00e0 distance ou la reprise.", + "LabelNativeExternalPlayersHelp": "Afficher les boutons pour lire le contenu sur les lecteurs externes.", + "LabelEnableItemPreviews": "Activer les aper\u00e7us des \u00e9l\u00e9ments", + "LabelEnableItemPreviewsHelp": "Activez cette option pour faire appara\u00eetre des aper\u00e7us d\u00e9roulants lorsque vous cliquez sur les \u00e9l\u00e9ments de certains \u00e9crans", + "HeaderSubtitleProfile": "Profil de sous-titre", + "HeaderSubtitleProfiles": "Profils de sous-titre", + "HeaderSubtitleProfilesHelp": "Les profils de sous-titre d\u00e9crivent les formats de sous-titre support\u00e9s par l'appareil.", + "LabelFormat": "Format:", + "LabelMethod": "M\u00e9thode:", + "LabelDidlMode": "Mode Didl:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "R\u00e9solution d'\u00e9l\u00e9ment", + "OptionEmbedSubtitles": "Am\u00e9lior\u00e9 avec container", + "OptionExternallyDownloaded": "T\u00e9l\u00e9chargement externe", + "OptionHlsSegmentedSubtitles": "Sous-titres segment\u00e9 HIs", "LabelSubtitleFormatHelp": "Exemple: srt", + "ButtonLearnMore": "En savoir plus", + "TabPlayback": "Lecture", "HeaderLanguagePreferences": "Pr\u00e9f\u00e9rences de langue", "TabCinemaMode": "Mode cin\u00e9ma", "TitlePlayback": "Lecture", "LabelEnableCinemaModeFor": "Activer le mode cin\u00e9ma pour :", "CinemaModeConfigurationHelp": "Le mode cin\u00e9ma apporte l'exp\u00e9rience du cin\u00e9ma directement dans votre salon gr\u00e2ce \u00e0 la possibilit\u00e9 de lire les bandes-annonces et les introductions personnalis\u00e9es avant le programme principal.", - "LabelExtractChaptersDuringLibraryScan": "Extraire les images des chapitres pendant le scan de la biblioth\u00e8que", - "OptionReportList": "Vue en liste", "OptionTrailersFromMyMovies": "Inclure les bandes-annonces des films dans ma biblioth\u00e8que", "OptionUpcomingMoviesInTheaters": "Inclure les bandes-annonces des nouveaut\u00e9s et des films \u00e0 l'affiche", - "LabelExtractChaptersDuringLibraryScanHelp": "Si activ\u00e9, les images de chapitres seront extraites lors de l'importation de vid\u00e9os pendant le scan de la librairie. Sinon elles seront extraites pendant la t\u00e2che programm\u00e9e, permettant de terminer plus rapidement les scans r\u00e9guliers de la librairie.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Ces fonctionnalit\u00e9s n\u00e9cessitent un abonnement actif comme supporteur et l'installation du plugin \"Trailer channel\".", "LabelLimitIntrosToUnwatchedContent": "Utiliser seulement les bandes-annonces du contenu non lu", - "OptionReportStatistics": "Statistiques", - "LabelSelectInternetTrailersForCinemaMode": "Bandes-annonces Internet :", "LabelEnableIntroParentalControl": "Activer le control parental intelligent", - "OptionUpcomingDvdMovies": "Inclure les bandes-annonces des nouveaut\u00e9s et des films \u00e0 venir sur DVD et Blu-Ray", "LabelEnableIntroParentalControlHelp": "Les bandes-annonces seront s\u00e9lectionn\u00e9es seulement si niveau de contr\u00f4le parental est \u00e9gal ou inf\u00e9rieur \u00e0 celui du contenu en cours de lecture.", - "HeaderThisUserIsCurrentlyDisabled": "Cet utilisateur est actuellement d\u00e9sactiv\u00e9", - "OptionUpcomingStreamingMovies": "Inclure les bandes-annonces des nouveaut\u00e9s et des films \u00e0 l'affiche sur Netflix", - "HeaderNewUsers": "Nouveaux utilisateurs", - "HeaderUpcomingSports": "Ev\u00e9nements sportifs \u00e0 venir", - "OptionReportGrouping": "Groupement", - "LabelDisplayTrailersWithinMovieSuggestions": "Afficher les bandes-annonces dans les suggestions de films.", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Ces fonctionnalit\u00e9s n\u00e9cessitent un abonnement actif comme supporteur et l'installation du plugin \"Trailer channel\".", "OptionTrailersFromMyMoviesHelp": "N\u00e9cessite la configuration des bandes-annonces locales.", - "ButtonSignUp": "S'inscrire", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "N\u00e9cessite l'installation du plugin \"Trailer channel\".", "LabelCustomIntrosPath": "Chemin des intros personnalis\u00e9es :", - "MessageReenableUser": "Voir ci-dessous pour le r\u00e9activer", "LabelCustomIntrosPathHelp": "Un r\u00e9pertoire contenant des fichiers vid\u00e9os. Une vid\u00e9o sera s\u00e9lectionn\u00e9e al\u00e9atoirement et lue apr\u00e8s les bandes-annonces.", - "LabelUploadSpeedLimit": "D\u00e9bit max d'upload (Mbps) :", - "TabPlayback": "Lecture", - "OptionAllowSyncTranscoding": "Autoriser la synchronisation quand elle n\u00e9cessite un transcodage", - "LabelConnectUserName": "Nom d'utilisateur Emby ou adresse email :", - "LabelConnectUserNameHelp": "Connectez cet utilisateur \u00e0 un compte Emby pour activer l'acc\u00e8s par code Easy Pin depuis n'importe quelle application Emby sans avoir \u00e0 conna\u00eetre l'adresse IP du serveur.", - "HeaderPlayback": "Lecture du m\u00e9dia", - "HeaderViewStyles": "Styles d'affichage", - "TabJobs": "T\u00e2ches", - "TabSyncJobs": "T\u00e2ches de synchronisation", - "LabelSelectViewStyles": "Activer les pr\u00e9sentations am\u00e9lior\u00e9es pour :", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Les utilisateurs recevront un message d'erreur compr\u00e9hensible lorsque le contenu n'est pas lisible en raison des restrictions appliqu\u00e9es.", - "LabelSelectViewStylesHelp": "Si vous activez cette option, l'affichage utilisera les m\u00e9tadonn\u00e9es pour ajouter des cat\u00e9gories telles que Suggestions, Derni\u00e8res, Genres, ... Si vous d\u00e9sactivez cette option, l'affichage sera simplement bas\u00e9 sur les dossiers.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Acheter", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Mot de passe oubli\u00e9", - "LabelConnectGuestUserName": "Nom d'utilisateur Emby ou adresse email de l'invit\u00e9 :", + "ValueSpecialEpisodeName": "Sp\u00e9cial - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Bandes-annonces Internet :", + "OptionUpcomingDvdMovies": "Inclure les bandes-annonces des nouveaut\u00e9s et des films \u00e0 venir sur DVD et Blu-Ray", + "OptionUpcomingStreamingMovies": "Inclure les bandes-annonces des nouveaut\u00e9s et des films \u00e0 l'affiche sur Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Afficher les bandes-annonces dans les suggestions de films.", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "N\u00e9cessite l'installation du plugin \"Trailer channel\".", + "CinemaModeConfigurationHelp2": "Les utilisateurs ont la possibilit\u00e9 de d\u00e9sactiver le mode cin\u00e9ma dans leurs propres pr\u00e9f\u00e9rences.", + "LabelEnableCinemaMode": "Activer le mode cin\u00e9ma", + "HeaderCinemaMode": "Mode cin\u00e9ma", + "LabelDateAddedBehavior": "Choix des dates lors de l'ajout de nouveau contenu:", + "OptionDateAddedImportTime": "Utiliser la dates du scan de la biblioth\u00e8que", + "OptionDateAddedFileTime": "Utiliser la date de cr\u00e9ation de fichier", + "LabelDateAddedBehaviorHelp": "Si une m\u00e9dadonn\u00e9e est pr\u00e9sente, elle sera toujours utilis\u00e9e avant toutes ces options.", + "LabelNumberTrailerToPlay": "Nombre de bandes-annonces \u00e0 lire :", + "TitleDevices": "Appareils", + "TabCameraUpload": "Upload du contenu de l'appareil photo", + "TabDevices": "Appareils", + "HeaderCameraUploadHelp": "Uploadez automatiquement dans Emby les photos et vid\u00e9os prises depuis votre mobile.", + "MessageNoDevicesSupportCameraUpload": "Vous n'avez actuellement aucun appareil supportant l'upload du contenu de l'appareil photo.", + "LabelCameraUploadPath": "R\u00e9pertoire d'upload du contenu de l'appareil photo :", + "LabelCameraUploadPathHelp": "Si vous le souhaitez, vous pouvez choisir un r\u00e9pertoire d'upload personnalis\u00e9. Sinon, le r\u00e9pertoire par d\u00e9faut sera utilis\u00e9. Si vous utilisez un r\u00e9pertoire personnalis\u00e9, vous devrez le rajouter \u00e0 la biblioth\u00e8que.", + "LabelCreateCameraUploadSubfolder": "Cr\u00e9er un sous-dossier pour chaque appareil", + "LabelCreateCameraUploadSubfolderHelp": "Des r\u00e9pertoires sp\u00e9cifiques peuvent \u00eatres affect\u00e9 aux appareils en cliquant sur le bouton correspondant dans la page des appareils.", + "LabelCustomDeviceDisplayName": "Nom d'affichage:", + "LabelCustomDeviceDisplayNameHelp": "Entrez un nom d'affichage personnalis\u00e9 ou laissez vide pour utiliser le nom rapport\u00e9 par l'appareil.", + "HeaderInviteUser": "Inviter un utilisateur", "LabelConnectGuestUserNameHelp": "Ceci est le nom d'utilisateur ou l'adress email que votre ami utilise pour se connecter au site web Emby.", + "HeaderInviteUserHelp": "Le partage de m\u00e9dias avec vos amis n'a jamais \u00e9t\u00e9 aussi facile avec Emby Connect.", + "ButtonSendInvitation": "Envoyez un invitation", + "HeaderSignInWithConnect": "Se connecter avec Emby Connect", + "HeaderGuests": "Invit\u00e9s", + "HeaderLocalUsers": "Utilisateurs locaux", + "HeaderPendingInvitations": "Invitations en attente", + "TabParentalControl": "Contr\u00f4le Parental", + "HeaderAccessSchedule": "Programme d'Acc\u00e8s", + "HeaderAccessScheduleHelp": "Cr\u00e9ez un programme d'acc\u00e8s pour limiter l'acc\u00e8s \u00e0 certaines heures.", + "ButtonAddSchedule": "Ajouter un programme", + "LabelAccessDay": "Jour de la semaine :", + "LabelAccessStart": "Heure de d\u00e9but:", + "LabelAccessEnd": "Heure de fin:", + "HeaderSchedule": "Al\u00e9atoire", + "OptionEveryday": "Tous les jours", + "OptionWeekdays": "Jours de la semaine", + "OptionWeekends": "Week-ends", + "MessageProfileInfoSynced": "Information de profil utilisateur synchronis\u00e9 avec Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optionnel : liez votre compte Emby", + "ButtonTrailerReel": "Bobine bande-annonce", + "HeaderTrailerReel": "Bobine Bande-annonce", + "OptionPlayUnwatchedTrailersOnly": "Lire seulement les bandes-annonces non lues.", + "HeaderTrailerReelHelp": "Cr\u00e9er une bobine de bande-annonces pour lire une longue liste de bandes-annonces.", + "MessageNoTrailersFound": "Aucune bande-annonce trouv\u00e9e. Installez la cha\u00eene Bande-annonces pour am\u00e9liorer votre exp\u00e9rience, par l'ajout d'une biblioth\u00e8que de bandes-annonces disponibles sur Internet.", + "HeaderNewUsers": "Nouveaux utilisateurs", + "ButtonSignUp": "S'inscrire", "ButtonForgotPassword": "Mot de passe oubli\u00e9", + "OptionDisableUserPreferences": "D\u00e9sactiver l'acc\u00e8s aux pr\u00e9f\u00e9rences utilisateurs", + "OptionDisableUserPreferencesHelp": "Si activ\u00e9, seuls les administrateurs seront capables de configurer les images de profil utilisateurs, les mots de passe, et les langues pr\u00e9f\u00e9r\u00e9es.", + "HeaderSelectServer": "S\u00e9lectionner le serveur", + "MessageNoServersAvailableToConnect": "Connexion impossible, aucun serveurs disponible. Si vous avez \u00e9t\u00e9 invit\u00e9 \u00e0 partager un serveur, veuillez accepter ci-dessous ou en cliquant sur le lien dans le mail.", + "TitleNewUser": "Nouvel utilisateur", + "ButtonConfigurePassword": "Configurer mot de passe", + "HeaderDashboardUserPassword": "Les mots de passe utilisateurs sont g\u00e9r\u00e9s dans les param\u00e8tres de profil personnel de chaque utilisateur.", + "HeaderLibraryAccess": "Acc\u00e8s \u00e0 la librairie", + "HeaderChannelAccess": "Acc\u00e8s Cha\u00eene", + "HeaderLatestItems": "Derniers items", + "LabelSelectLastestItemsFolders": "Inclure les m\u00e9dias provenant des sections suivantes dans les Derniers Items", + "HeaderShareMediaFolders": "Partager les r\u00e9pertoires de m\u00e9dias", + "MessageGuestSharingPermissionsHelp": "La plupart des fonctions sont initialement indisponibles pour les invit\u00e9s mais peuvent \u00eatre activ\u00e9es au besoin.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Entrez votre nom d'utilisateur, si vous vous en souvenez.", + "HeaderForgotPassword": "Mot de passe oubli\u00e9", "TitleForgotPassword": "Mot de passe oubli\u00e9", "TitlePasswordReset": "Mot de passe r\u00e9initialis\u00e9", - "TabParentalControl": "Contr\u00f4le Parental", "LabelPasswordRecoveryPinCode": "Code NIP:", - "HeaderAccessSchedule": "Programme d'Acc\u00e8s", "HeaderPasswordReset": "Mot de passe r\u00e9initialis\u00e9", - "HeaderAccessScheduleHelp": "Cr\u00e9ez un programme d'acc\u00e8s pour limiter l'acc\u00e8s \u00e0 certaines heures.", "HeaderParentalRatings": "Note parentale", - "ButtonAddSchedule": "Ajouter un programme", "HeaderVideoTypes": "Types de vid\u00e9o", - "LabelAccessDay": "Jour de la semaine :", "HeaderYears": "Ann\u00e9es", - "LabelAccessStart": "Heure de d\u00e9but:", - "LabelAccessEnd": "Heure de fin:", - "LabelDvdSeasonNumber": "Num\u00e9ro de saison DVD :", + "HeaderAddTag": "Ajouter un tag", + "LabelBlockContentWithTags": "Bloquer le contenu comportant les tags suivants :", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limiter \u00e0 une seule image int\u00e9gr\u00e9e", + "LabelEnableSingleImageInDidlLimitHelp": "Quelques p\u00e9riph\u00e9riques ne fourniront pas un rendu correct si plusieurs images sont int\u00e9gr\u00e9es dans Didl", + "TabActivity": "Activit\u00e9", + "TitleSync": "Sync.", + "OptionAllowSyncContent": "Autoriser la synchronisation", + "OptionAllowContentDownloading": "Autoriser le t\u00e9l\u00e9chargement de m\u00e9dias", + "NameSeasonUnknown": "Saison inconnue", + "NameSeasonNumber": "Saison {0}", + "LabelNewUserNameHelp": "Les noms d'utilisateur peuvent contenir des lettres (a-z), des chiffres (0-9), des tirets (-), des tirets bas (_), des apostrophes (') et des points (.).", + "TabJobs": "T\u00e2ches", + "TabSyncJobs": "T\u00e2ches de synchronisation", + "LabelTagFilterMode": "Mode :", + "LabelTagFilterAllowModeHelp": "Si l'autorisation par tags est appliqu\u00e9e \u00e0 un contenu d'un sous-r\u00e9pertoire, les r\u00e9pertoires parents devront \u00e9galement \u00eatre marqu\u00e9s avec ces m\u00eames tags.", + "HeaderThisUserIsCurrentlyDisabled": "Cet utilisateur est actuellement d\u00e9sactiv\u00e9", + "MessageReenableUser": "Voir ci-dessous pour le r\u00e9activer", + "LabelEnableInternetMetadataForTvPrograms": "T\u00e9l\u00e9charger les m\u00e9ta-donn\u00e9es depuis Internet pour :", + "OptionTVMovies": "T\u00e9l\u00e9films", + "HeaderUpcomingMovies": "Films \u00e0 venir", + "HeaderUpcomingSports": "Ev\u00e9nements sportifs \u00e0 venir", + "HeaderUpcomingPrograms": "Programmes \u00e0 venir", + "ButtonMoreItems": "Plus", + "LabelShowLibraryTileNames": "Voir les noms des affiches de la biblioth\u00e8que", + "LabelShowLibraryTileNamesHelp": "D\u00e9termine si les noms doivent \u00eatre affich\u00e9s en dessous des affiches de la biblioth\u00e8que sur la page d'accueil", + "OptionEnableTranscodingThrottle": "Activer le throttling", + "OptionEnableTranscodingThrottleHelp": "Le throttling consiste \u00e0 ajuster automatiquement la fr\u00e9quence de transcodage afin de minimiser l'utilisation CPU pendant la lecture.", + "LabelUploadSpeedLimit": "D\u00e9bit max d'upload (Mbps) :", + "OptionAllowSyncTranscoding": "Autoriser la synchronisation quand elle n\u00e9cessite un transcodage", + "HeaderPlayback": "Lecture du m\u00e9dia", + "OptionAllowAudioPlaybackTranscoding": "Autoriser la lecture de musique n\u00e9cessitant un transcodage", + "OptionAllowVideoPlaybackTranscoding": "Autoriser la lecture de vid\u00e9os n\u00e9cessitant un transcodage", + "OptionAllowMediaPlaybackTranscodingHelp": "Les utilisateurs recevront un message d'erreur compr\u00e9hensible lorsque le contenu n'est pas lisible en raison des restrictions appliqu\u00e9es.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Limite de d\u00e9bit du client distant (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "Une limite de d\u00e9bit optionnelle du streaming pour tous les clients distant. Utile pour \u00e9viter que les clients demandent une bande passante sup\u00e9rieure \u00e0 ce que votre connexion peu fournir.", + "LabelConversionCpuCoreLimit": "Limite de c\u0153ur CPU:", + "LabelConversionCpuCoreLimitHelp": "Limite le nombre de c\u0153ur du processeur utilis\u00e9s pendant le transcodage.", + "OptionEnableFullSpeedConversion": "Autoriser le transcodage rapide", + "OptionEnableFullSpeedConversionHelp": "Par d\u00e9faut, le transcodage est r\u00e9alis\u00e9 de mani\u00e8re lente pour minimiser la consommation de ressources.", + "HeaderPlaylists": "Listes de lecture", + "HeaderViewStyles": "Styles d'affichage", + "LabelSelectViewStyles": "Activer les pr\u00e9sentations am\u00e9lior\u00e9es pour :", + "LabelSelectViewStylesHelp": "Si vous activez cette option, l'affichage utilisera les m\u00e9tadonn\u00e9es pour ajouter des cat\u00e9gories telles que Suggestions, Derni\u00e8res, Genres, ... Si vous d\u00e9sactivez cette option, l'affichage sera simplement bas\u00e9 sur les dossiers.", + "TabPhotos": "Photos", + "TabVideos": "Vid\u00e9os", + "HeaderWelcomeToEmby": "Bienvenue sur Emby", + "EmbyIntroMessage": "Avec Emby, vous pouvez facilement diffuser vid\u00e9os, musique et photos sur Android et autres p\u00e9riph\u00e9riques de votre serveur Emby.", + "ButtonSkip": "Passer", + "TextConnectToServerManually": "Connexion manuelle \u00e0 mon serveur", + "ButtonSignInWithConnect": "Se connecter avec Emby Connect", + "ButtonConnect": "Connexion", + "LabelServerHost": "Nom d'h\u00f4te :", + "LabelServerHostHelp": "192.168.1.1 ou https:\/\/monserveur.com", + "LabelServerPort": "Port :", + "HeaderNewServer": "Nouveau serveur", + "ButtonChangeServer": "Changer de serveur", + "HeaderConnectToServer": "Connexion au serveur", + "OptionReportList": "Vue en liste", + "OptionReportStatistics": "Statistiques", + "OptionReportGrouping": "Groupement", "HeaderExport": "Exporter", - "LabelDvdEpisodeNumber": "Num\u00e9ro d'Episode DVD:", - "LabelAbsoluteEpisodeNumber": "Num\u00e9ro absolu d'\u00e9pisode:", - "LabelAirsBeforeSeason": "Diffusion avant la saison :", "HeaderColumns": "Colonnes", - "LabelAirsAfterSeason": "Diffusion apr\u00e8s la saison :" + "ButtonReset": "R\u00e9initialiser", + "OptionEnableExternalVideoPlayers": "Activer les lecteurs vid\u00e9o externes", + "ButtonUnlockGuide": "D\u00e9verrouiller le Guide", + "LabelEnableFullScreen": "Activer le mode plein \u00e9cran", + "LabelEnableChromecastAc3Passthrough": "Activer le mode Chromecast AC3 Passthrough", + "LabelSyncPath": "Chemin du contenu synchronis\u00e9:", + "LabelEmail": "Email :", + "LabelUsername": "Nom d'utilisateur :", + "HeaderSignUp": "S'inscrire", + "LabelPasswordConfirm": "Mot de passe (confirmation) :", + "ButtonAddServer": "Ajouter un serveur", + "TabHomeScreen": "Ecran d'accueil", + "HeaderDisplay": "Afficher", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "Ces param\u00e8tres sont partag\u00e9s sur tous les p\u00e9riph\u00e9riques." } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/gsw.json b/MediaBrowser.Server.Implementations/Localization/Server/gsw.json index a4ad88c6ba..f97cb7771a 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/gsw.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/gsw.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Willkomme bi Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Verbunde zu Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "L\u00f6sch Bild", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Lad es neus Bild ue", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Versteck bereits agluegti Medie i de Rubrik neui Medie", - "LabelDropImageHere": "Leg es Bild do ab.", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Siiteverh\u00e4ltnis w\u00e4r vo Vorteil - nur JPG\/PNG.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nix da.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Vorschl\u00e4g", - "MessagePleaseEnsureInternetMetadata": "Bitte stell sicher, dass Abelade vo Metadate vom Internet aktiviert worde esch.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Vorgschlage", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Letschti", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Usstehend", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Serie", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episode", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genre", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Persone", - "ButtonAdd": "Add", - "TabNetworks": "Studios", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Lad en User i", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Synchronisierig", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Registrier di mit PayPal", - "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", + "LabelExit": "Verlasse", + "LabelVisitCommunity": "Bsuech d'Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "API Dokumentatione", - "Option2Player": "2+", "LabelDeveloperResources": "Entwickler Ressurce", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Verwaltig:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Dursuech d'Bibliothek", + "LabelConfigureServer": "Konfigurier Emby", + "LabelOpenLibraryViewer": "\u00d6ffne d'Asicht f\u00f6r Bibliotheke", + "LabelRestartServer": "Server neustarte", + "LabelShowLogWindow": "Zeig Log-Feischter", + "LabelPrevious": "Vorher", + "LabelFinish": "Beende", + "FolderTypeMixed": "Mixed content", + "LabelNext": "N\u00f6chst", + "LabelYoureDone": "Du besch fertig!", + "WelcomeToProject": "Willkomme bi Emby!", + "ThisWizardWillGuideYou": "De Assistent hilft der dur de Installations Prozess. Zum afange, w\u00e4hl bitte dini Sproch us.", + "TellUsAboutYourself": "Verzell was \u00fcber dech selber", + "ButtonQuickStartGuide": "Schnellstart Instruktione", + "LabelYourFirstName": "Din Vorname:", + "MoreUsersCanBeAddedLater": "Meh User ch\u00f6nt sp\u00f6ter im Dashboard hinzuegf\u00fcegt werde.", + "UserProfilesIntro": "Emby beinhaltet iibauti Unterst\u00fctzig f\u00f6r User-Profil, wo mer siini eigene Asichte, Spellst\u00e4nd und Altersfriigobe iistelle chan.", + "LabelWindowsService": "Windows Dienst", + "AWindowsServiceHasBeenInstalled": "En Windows Dienst esch installiert worde.", + "WindowsServiceIntro1": "Emby Server lauft normalerwiis als Desktop-Software mit emene Icon i de Taskliiste, aber falls es du vorziehsch das ganze als Dienst laufe z'loh, chasch es i de Windows Dienst under de Systemst\u00fcrig finde und starte.", + "WindowsServiceIntro2": "Falls de Windows Dienst verwendet wird, merk der bitte, dass es n\u00f6d gliichziitig au als Icon i de Taskliiste laufe chan, also muesch erst di normal Software beende um de Dienst ch\u00f6ne z'starte. De Dienst muess usserdem mit Adminrecht \u00fcber d'Systemst\u00fcrig verf\u00fcege. Merk der usserdem, dass de Windows Dienst sich ned selber chan update, also muesch jedes Update vo Hand us dure f\u00fcehre.", + "WizardCompleted": "Das esch alles wo mer momentan m\u00fcend w\u00fcsse. Emby het i de zw\u00fcscheziit agfange informatione \u00fcber diini medie-bibliothek z'sammle. Lueg der es paar vo eusne Apps a und denn klick uf Beende<\/b> um zum Server Dashboard<\/b> z'cho.", + "LabelConfigureSettings": "Bearbeite iistellige", + "LabelEnableVideoImageExtraction": "Aktiviere d'Extrahierig f\u00f6r Videobilder", + "VideoImageExtractionHelp": "F\u00f6r Videos wo ned bereits scho Bilder hend und wo kei M\u00f6glichkeite hend die im \u00a3Internet z'finde. Das verbrucht chli meh Ziit f\u00f6r de ersti Scan vo de Bibliothek, gseht aber schlussament besser us.", + "LabelEnableChapterImageExtractionForMovies": "Aktiviere d'Extrahierig f\u00f6r Kapitelbilder vo diine Film", + "LabelChapterImageExtractionForMoviesHelp": "Extrahierig vo de Kapitelbilder zeigt der denn es Bild i de Scene als Uswahl im Men\u00fc. De Prozess chan langsam sii, CPU-lastig und verbrutzled m\u00f6glicherwiis mehreri Gigabyte a Speicherplatz. I de Regel lauft das i de Nacht als planti Ufgab, alternativ chasch es au selber konfiguriere i de Planti Ufgabe siite. Es esch n\u00f6d empfohle die Ufgab w\u00e4hrend h\u00f6che Uslastige dure z'f\u00fcehre.", + "LabelEnableAutomaticPortMapping": "Aktiviere s'automaitsche Port Mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP erlaubt en automatischi Routeriistellig f\u00f6r eifache Remote-Zuegang. Das chan under umst\u00e4nde mit es paar Router ned funktioniere.", + "HeaderTermsOfService": "Emby Nutzigsbedingige", + "MessagePleaseAcceptTermsOfService": "Bitte akzeptiere z'erst no d'Nutzigsbedingige und Datenutzig-Richtlinie bevor du wiiter machsch.", + "OptionIAcceptTermsOfService": "Ich akzeptiere d'Nutzigsbedingige", + "ButtonPrivacyPolicy": "Datenutzig-Richtlinie", + "ButtonTermsOfService": "Nutzigsbedingige", "HeaderDeveloperOptions": "Entwickler Optione", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Aktiviere d'Antwort zw\u00fcschespeicherig vom Web Client.", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Pfad f\u00f6r tempor\u00e4ri Date:", "OptionDisableForDevelopmentHelp": "Konfiguriere das falls n\u00f6tig f\u00fcr jeglichi Entwicklerzweck.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Gib en eigene Arbetsordner f\u00f6r d'Synchronisierig a. Konvertierti Medie werded w\u00e4hrend em Sync-Prozess det gspeichered.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Aktiviere d'Minimierig vo de Ressource vom Web Client.", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Eigene Pfad f\u00f6r Zertifikat:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web Client Sourcepfad:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Gib en eigene Pfad f\u00fcr SSL-Zertifikat (*.pfx) a. Falls ned, wird de Server es selber signierts Zertifikat erstelle.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "Falls de Server vonere andere Source bedient s\u00f6ll werde, geb bitte de genaui Pfad zum dashboard-ui Ordner a. Alli Date vom Web Client werded vo dem Verzeichnis us bedient werde.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Konvertiere Medie", + "ButtonOrganize": "Organisiere", + "LinkedToEmbyConnect": "Verbunde zu Emby Connect", + "HeaderSupporterBenefits": "Supporter Vorteil", + "HeaderAddUser": "Erstell en User", + "LabelAddConnectSupporterHelp": "Um en User wo ned ufglistet esch us z'w\u00e4hle, muesch z'erst no sin Account mit Emby Connect im Userprofil verbinde.", + "LabelPinCode": "Pin Code:", + "OptionHideWatchedContentFromLatestMedia": "Versteck bereits agluegti Medie i de Rubrik neui Medie", + "HeaderSync": "synchronisiere", + "ButtonOk": "OK", + "ButtonCancel": "Abbreche", + "ButtonExit": "Verlasse", + "ButtonNew": "Neu", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Pfad", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Synchronisierig", + "TabPlaylist": "Playliste", + "HeaderEasyPinCode": "Eifache Pin Code", + "HeaderGrownupsOnly": "Nur Erwachseni!", + "DividerOr": "-- odr --", + "HeaderInstalledServices": "Installierti Dienst", + "HeaderAvailableServices": "Verf\u00fcegbari Dienst", + "MessageNoServicesInstalled": "Es sind momentan kei Dienst installiert.", + "HeaderToAccessPleaseEnterEasyPinCode": "Um Zuegriff z'ha, gib bitte diin eifache Pin Code i", + "KidsModeAdultInstruction": "Klick ufs Schloss-Icon im undere rechte Egge zum konfiguriere oder verlasse vom Kinder Modus. Diin Pin Code wird erforderlich sii.", + "ButtonConfigurePinCode": "Konfigurier de Pin Code", + "HeaderAdultsReadHere": "Erwachseni bitte do lese!", + "RegisterWithPayPal": "Registrier di mit PayPal", + "HeaderSyncRequiresSupporterMembership": "Synchronisierig brucht en Supporter Mitgliedschaft", + "HeaderEnjoyDayTrial": "Gn\u00fcss diin 14-T\u00e4g gratis Ziit zum teste", + "LabelSyncTempPath": "Pfad f\u00f6r tempor\u00e4ri Date:", + "LabelSyncTempPathHelp": "Gib en eigene Arbetsordner f\u00f6r d'Synchronisierig a. Konvertierti Medie werded w\u00e4hrend em Sync-Prozess det gspeichered.", + "LabelCustomCertificatePath": "Eigene Pfad f\u00f6r Zertifikat:", + "LabelCustomCertificatePathHelp": "Gib en eigene Pfad f\u00fcr SSL-Zertifikat (*.pfx) a. Falls ned, wird de Server es selber signierts Zertifikat erstelle.", "TitleNotifications": "Mitteilige", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Spende mit PayPal", + "OptionDetectArchiveFilesAsMedia": "Erkenn Archiv als Mediedateie", + "OptionDetectArchiveFilesAsMediaHelp": "Falls aktiviert, werded *.rar und *.zip Date als Medie erkennt.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Aktivier erwiiterti Filmasichte", + "LabelEnableEnhancedMoviesHelp": "Falls aktiviert, werded Film als ganzi Ordner inkl Trailer, Extras wie Casting & Crew und anderi wichtigi Date azeigt.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Film", + "FolderTypeMusic": "Musig", + "FolderTypeAdultVideos": "Erwachseni Film", + "FolderTypePhotos": "F\u00f6teli", + "FolderTypeMusicVideos": "Musigvideos", + "FolderTypeHomeVideos": "Heimvideos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "B\u00fcecher", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "erbf\u00e4hig", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Date Art:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Planti Ufgabe", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Mitteilige", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Postercharte", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumbcharte", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Stell diini Mediebibliothek i", + "ButtonAddMediaFolder": "F\u00fceg en Medieordner dezue.", + "LabelFolderType": "Ordner Art:", + "ReferToMediaLibraryWiki": "Lueg im Wiki f\u00f6r Mediebiblithek noh.", + "LabelCountry": "Land:", + "LabelLanguage": "Sproch:", + "LabelTimeLimitHours": "Ziitlimit (h):", + "ButtonJoinTheDevelopmentTeam": "Tritt eusem Entwicklerteam bi", + "HeaderPreferredMetadataLanguage": "Bevorzuegti Metadate Sproch:", + "LabelSaveLocalMetadata": "Speicher Bilder und Metadate i d'Medieordner", + "LabelSaveLocalMetadataHelp": "Wennd Bilder und Metadate direkt i d'Medieordner speicherisch, chasch sie eifach weder finde und au bearbeite.", + "LabelDownloadInternetMetadata": "Lade Bilder und Metadate vom Internet abe", + "LabelDownloadInternetMetadataHelp": "Emby Server chan Infos vo diine Medie abelade um gr\u00f6sseri und sch\u00f6neri Asichte z'generiere.", + "TabPreferences": "iistellige", + "TabPassword": "Passwort", + "TabLibraryAccess": "Bibliothek Zuegriff", + "TabAccess": "Zuegriff", + "TabImage": "Bild", + "TabProfile": "Profil", + "TabMetadata": "Metadate", + "TabImages": "Bilder", + "TabNotifications": "Mitteilige", + "TabCollectionTitles": "Titel", + "HeaderDeviceAccess": "Gr\u00e4t Zuegriff", + "OptionEnableAccessFromAllDevices": "Aktiviere de Zuegriff vo allne Gr\u00e4t", + "OptionEnableAccessToAllChannels": "Aktiviere de Zuegriff zu allne Kan\u00e4l", + "OptionEnableAccessToAllLibraries": "Aktiviere de Zuegriff zu allne Bibliotheke", + "DeviceAccessHelp": "Das betrifft nur Gr\u00e4t wo einzigartig indentifiziert werded und tuet ned Browser Zuegriff verhindere. En Filter f\u00f6r Gr\u00e4t Zuegriff verhindered, dass neui Gr\u00e4t dezue gf\u00fcegt werded, bovor si ned \u00fcberpr\u00fcefd worde sind.", + "LabelDisplayMissingEpisodesWithinSeasons": "Zeig fehlendi Episode innerhalb vo de einzelne Staffle", + "LabelUnairedMissingEpisodesWithinSeasons": "Zeig ned usgstrahlti Episode innerhalb vo de einzelne Staffle", + "HeaderVideoPlaybackSettings": "Video Abspell iistellige", + "HeaderPlaybackSettings": "Abspell iistellige", + "LabelAudioLanguagePreference": "Audio Sproch iistellig:", + "LabelSubtitleLanguagePreference": "Undertitel Sproch iistellig:", "OptionDefaultSubtitles": "Normal", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "User", "OptionOnlyForcedSubtitles": "Nur erzwungeni Undertitel", - "HeaderFilters": "Filter:", "OptionAlwaysPlaySubtitles": "Zeig immer Undertitel a", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Kei Undertitel", "OptionDefaultSubtitlesHelp": "Undertitel wo de Sproch iistellige gliich sind, werded nur glade, wenn d'Audiospur inere fr\u00f6mde Sproch esch.", - "OptionFavorite": "Favorite", "OptionOnlyForcedSubtitlesHelp": "Nur Undertitel wo erzwunge werded, werded glade.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Undertitel wo de Sprochiistellige gliich sind, werded usnahmslos glade, egal uf d'Audiospur.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Undertitel werded normalerwiis ned glade.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profil", + "TabSecurity": "Sicherheit", + "ButtonAddUser": "Erstell en User", + "ButtonAddLocalUser": "Erstell en lokale User", + "ButtonInviteUser": "Lad en User i", + "ButtonSave": "Speichere", + "ButtonResetPassword": "Passwort zrug setze", + "LabelNewPassword": "Neus Passwort:", + "LabelNewPasswordConfirm": "Neus Passwort best\u00e4tige:", + "HeaderCreatePassword": "Erstell es Passwort", + "LabelCurrentPassword": "Jetzigs Passwort:", + "LabelMaxParentalRating": "Maximum erlaubti Kindersicherig:", + "MaxParentalRatingHelp": "Date mit enere h\u00f6here Kindersicherig werded vo dem User versteckt.", + "LibraryAccessHelp": "W\u00e4hl en Medieordner us, um de mit dem User z'teile. Administratore werded immer d'M\u00f6glichkeit ha alli Verzeichnis mitm Metadate Manager z'bearbeite.", + "ChannelAccessHelp": "W\u00e4hl en Kanal us, um de mit dem User z'teile. Administratore werded immer d'M\u00f6glichkeit ha alli Kan\u00e4l mitm Metadate Manager z'bearbeite.", + "ButtonDeleteImage": "L\u00f6sch Bild", + "LabelSelectUsers": "W\u00e4hl User:", + "ButtonUpload": "Upload", + "HeaderUploadNewImage": "Lad es neus Bild ue", + "LabelDropImageHere": "Leg es Bild do ab.", + "ImageUploadAspectRatioHelp": "1:1 Siiteverh\u00e4ltnis w\u00e4r vo Vorteil - nur JPG\/PNG.", + "MessageNothingHere": "Nix da.", + "MessagePleaseEnsureInternetMetadata": "Bitte stell sicher, dass Abelade vo Metadate vom Internet aktiviert worde esch.", + "TabSuggested": "Vorgschlage", + "TabSuggestions": "Vorschl\u00e4g", + "TabLatest": "Letschti", + "TabUpcoming": "Usstehend", + "TabShows": "Serie", + "TabEpisodes": "Episode", + "TabGenres": "Genre", + "TabPeople": "Persone", + "TabNetworks": "Studios", + "HeaderUsers": "User", + "HeaderFilters": "Filter:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favorite", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Darsteller", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Gast Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Regisseur", - "TabCollections": "Collections", "OptionWriters": "Autor", - "TabFavorites": "Favorites", "OptionProducers": "Produzent", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Fortsetze", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Als n\u00f6chsts", "NoNextUpItemsMessage": "Nix da. Fang mal a Serie luege!", "HeaderLatestEpisodes": "Letschti Episode", @@ -219,42 +200,32 @@ "TabMusicVideos": "Musigvideos", "ButtonSort": "Sortiere", "HeaderSortBy": "Sortier nach:", - "OptionEnableAccessToAllChannels": "Aktiviere de Zuegriff zu allne Kan\u00e4l", "HeaderSortOrder": "Sortier Reihefolg:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Gspellt", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Ungspellt", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ufstiigend", "OptionDescending": "Abstiigend", "OptionRuntime": "Laufziit", + "OptionReleaseDate": "Release Ziit:", "OptionPlayCount": "Z\u00e4hler", "OptionDatePlayed": "Abgspellt am", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Dezue gf\u00fcegt am", - "HeaderTV": "TV", "OptionAlbumArtist": "Album-Artist", - "HeaderTermsOfService": "Emby Nutzigsbedingige", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Erkenn Archiv als Mediedateie", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Bitte akzeptiere z'erst no d'Nutzigsbedingige und Datenutzig-Richtlinie bevor du wiiter machsch.", - "OptionDetectArchiveFilesAsMediaHelp": "Falls aktiviert, werded *.rar und *.zip Date als Medie erkennt.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Ich akzeptiere d'Nutzigsbedingige", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Datenutzig-Richtlinie", - "LabelSelectUsers": "W\u00e4hl User:", "OptionCommunityRating": "Community Bewertig", - "ButtonTermsOfService": "Nutzigsbedingige", "OptionNameSort": "Name", + "OptionFolderSort": "Ordner", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "iinahme", "OptionPoster": "Poster", + "OptionPosterCard": "Postercharte", + "OptionBackdrop": "Hindergrund", "OptionTimeline": "Ziitlinie", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumbcharte", + "OptionBanner": "Banner", "OptionCriticRating": "Kritiker Bewertig", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Chan fortgsetzt werde", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Planti Ufgabe", "TabMyPlugins": "Miini Plugins", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "De Assistent hilft der dur de Installations Prozess. Zum afange, w\u00e4hl bitte dini Sproch us.", - "TellUsAboutYourself": "Verzell was \u00fcber dech selber", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatischi Updates", - "LabelYourFirstName": "Din Vorname:", - "LabelPinCode": "Pin Code:", - "MoreUsersCanBeAddedLater": "Meh User ch\u00f6nt sp\u00f6ter im Dashboard hinzuegf\u00fcegt werde.", "HeaderNowPlaying": "Jetz am spelle", - "UserProfilesIntro": "Emby beinhaltet iibauti Unterst\u00fctzig f\u00f6r User-Profil, wo mer siini eigene Asichte, Spellst\u00e4nd und Altersfriigobe iistelle chan.", "HeaderLatestAlbums": "Letschti Albene", - "LabelWindowsService": "Windows Dienst", "HeaderLatestSongs": "Letschti Songs", - "ButtonExit": "Verlasse", - "ButtonConvertMedia": "Konvertiere Medie", - "AWindowsServiceHasBeenInstalled": "En Windows Dienst esch installiert worde.", "HeaderRecentlyPlayed": "Erst grad dezue gf\u00fcegt", - "LabelTimeLimitHours": "Ziitlimit (h):", - "WindowsServiceIntro1": "Emby Server lauft normalerwiis als Desktop-Software mit emene Icon i de Taskliiste, aber falls es du vorziehsch das ganze als Dienst laufe z'loh, chasch es i de Windows Dienst under de Systemst\u00fcrig finde und starte.", "HeaderFrequentlyPlayed": "Vell gspellt", - "ButtonOrganize": "Organisiere", - "WindowsServiceIntro2": "Falls de Windows Dienst verwendet wird, merk der bitte, dass es n\u00f6d gliichziitig au als Icon i de Taskliiste laufe chan, also muesch erst di normal Software beende um de Dienst ch\u00f6ne z'starte. De Dienst muess usserdem mit Adminrecht \u00fcber d'Systemst\u00fcrig verf\u00fcege. Merk der usserdem, dass de Windows Dienst sich ned selber chan update, also muesch jedes Update vo Hand us dure f\u00fcehre.", "DevBuildWarning": "Dev-Builds sind experimentell, werded vell versione releasd und sind \u00f6ppe die mal ned tested worde. Die Software chan abst\u00fcrze und die komplette Features m\u00fcend ned zwingend funktioniere laufe.", - "HeaderGrownupsOnly": "Nur Erwachseni!", - "WizardCompleted": "Das esch alles wo mer momentan m\u00fcend w\u00fcsse. Emby het i de zw\u00fcscheziit agfange informatione \u00fcber diini medie-bibliothek z'sammle. Lueg der es paar vo eusne Apps a und denn klick uf Beende<\/b> um zum Server Dashboard<\/b> z'cho.", - "ButtonJoinTheDevelopmentTeam": "Tritt eusem Entwicklerteam bi", - "LabelConfigureSettings": "Bearbeite iistellige", - "LabelEnableVideoImageExtraction": "Aktiviere d'Extrahierig f\u00f6r Videobilder", - "DividerOr": "-- odr --", - "OptionEnableAccessToAllLibraries": "Aktiviere de Zuegriff zu allne Bibliotheke", - "VideoImageExtractionHelp": "F\u00f6r Videos wo ned bereits scho Bilder hend und wo kei M\u00f6glichkeite hend die im \u00a3Internet z'finde. Das verbrucht chli meh Ziit f\u00f6r de ersti Scan vo de Bibliothek, gseht aber schlussament besser us.", - "LabelEnableChapterImageExtractionForMovies": "Aktiviere d'Extrahierig f\u00f6r Kapitelbilder vo diine Film", - "HeaderInstalledServices": "Installierti Dienst", - "LabelChapterImageExtractionForMoviesHelp": "Extrahierig vo de Kapitelbilder zeigt der denn es Bild i de Scene als Uswahl im Men\u00fc. De Prozess chan langsam sii, CPU-lastig und verbrutzled m\u00f6glicherwiis mehreri Gigabyte a Speicherplatz. I de Regel lauft das i de Nacht als planti Ufgab, alternativ chasch es au selber konfiguriere i de Planti Ufgabe siite. Es esch n\u00f6d empfohle die Ufgab w\u00e4hrend h\u00f6che Uslastige dure z'f\u00fcehre.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "Um Zuegriff z'ha, gib bitte diin eifache Pin Code i", - "LabelEnableAutomaticPortMapping": "Aktiviere s'automaitsche Port Mapping", - "HeaderSupporterBenefits": "Supporter Vorteil", - "LabelEnableAutomaticPortMappingHelp": "UPnP erlaubt en automatischi Routeriistellig f\u00f6r eifache Remote-Zuegang. Das chan under umst\u00e4nde mit es paar Router ned funktioniere.", - "HeaderAvailableServices": "Verf\u00fcegbari Dienst", - "ButtonOk": "OK", - "KidsModeAdultInstruction": "Klick ufs Schloss-Icon im undere rechte Egge zum konfiguriere oder verlasse vom Kinder Modus. Diin Pin Code wird erforderlich sii.", - "ButtonCancel": "Abbreche", - "HeaderAddUser": "Erstell en User", - "HeaderSetupLibrary": "Stell diini Mediebibliothek i", - "MessageNoServicesInstalled": "Es sind momentan kei Dienst installiert.", - "ButtonAddMediaFolder": "F\u00fceg en Medieordner dezue.", - "ButtonConfigurePinCode": "Konfigurier de Pin Code", - "LabelFolderType": "Ordner Art:", - "LabelAddConnectSupporterHelp": "Um en User wo ned ufglistet esch us z'w\u00e4hle, muesch z'erst no sin Account mit Emby Connect im Userprofil verbinde.", - "ReferToMediaLibraryWiki": "Lueg im Wiki f\u00f6r Mediebiblithek noh.", - "HeaderAdultsReadHere": "Erwachseni bitte do lese!", - "LabelCountry": "Land:", - "LabelLanguage": "Sproch:", - "HeaderPreferredMetadataLanguage": "Bevorzuegti Metadate Sproch:", - "LabelEnableEnhancedMovies": "Aktivier erwiiterti Filmasichte", - "LabelSaveLocalMetadata": "Speicher Bilder und Metadate i d'Medieordner", - "LabelSaveLocalMetadataHelp": "Wennd Bilder und Metadate direkt i d'Medieordner speicherisch, chasch sie eifach weder finde und au bearbeite.", - "LabelDownloadInternetMetadata": "Lade Bilder und Metadate vom Internet abe", - "LabelEnableEnhancedMoviesHelp": "Falls aktiviert, werded Film als ganzi Ordner inkl Trailer, Extras wie Casting & Crew und anderi wichtigi Date azeigt.", - "HeaderDeviceAccess": "Gr\u00e4t Zuegriff", - "LabelDownloadInternetMetadataHelp": "Emby Server chan Infos vo diine Medie abelade um gr\u00f6sseri und sch\u00f6neri Asichte z'generiere.", - "OptionThumb": "Thumb", - "LabelExit": "Verlasse", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Bsuech d'Community", "LabelVideoType": "Video Art:", "OptionBluray": "BluRay", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Standard", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Aktiviere de Zuegriff vo allne Gr\u00e4t", - "LabelBrowseLibrary": "Dursuech d'Bibliothek", "LabelFeatures": "Features:", - "DeviceAccessHelp": "Das betrifft nur Gr\u00e4t wo einzigartig indentifiziert werded und tuet ned Browser Zuegriff verhindere. En Filter f\u00f6r Gr\u00e4t Zuegriff verhindered, dass neui Gr\u00e4t dezue gf\u00fcegt werded, bovor si ned \u00fcberpr\u00fcefd worde sind.", - "ChannelAccessHelp": "W\u00e4hl en Kanal us, um de mit dem User z'teile. Administratore werded immer d'M\u00f6glichkeit ha alli Kan\u00e4l mitm Metadate Manager z'bearbeite.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Letschti Ergebnis:", "OptionHasSubtitles": "Undertitel", - "LabelOpenLibraryViewer": "\u00d6ffne d'Asicht f\u00f6r Bibliotheke", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Server neustarte", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Zeig Log-Feischter", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Vorher", "TabMovies": "Film", - "LabelFinish": "Beende", "TabStudios": "Studios", - "FolderTypeMixed": "Verschiedeni Sache", - "LabelNext": "N\u00f6chst", "TabTrailers": "Trailers", - "FolderTypeMovies": "Film", - "LabelYoureDone": "Du besch fertig!", + "LabelArtists": "Artist:", + "LabelArtistsHelp": "Trenn mehreri iistr\u00e4g dur es ;", "HeaderLatestMovies": "Letschti Film", - "FolderTypeMusic": "Musig", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Synchronisierig brucht en Supporter Mitgliedschaft", "HeaderLatestTrailers": "Letschti Trailer", - "FolderTypeAdultVideos": "Erwachseni Film", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "F\u00f6teli", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Gn\u00fcss diin 14-T\u00e4g gratis Ziit zum teste", "OptionImdbRating": "IMDB Bewertig", - "FolderTypeMusicVideos": "Musigvideos", - "LabelFailed": "Failed", "OptionParentalRating": "Altersfriigab", - "FolderTypeHomeVideos": "Heimvideos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Datum", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Eifach", - "FolderTypeBooks": "B\u00fcecher", - "HeaderPlaybackSettings": "Abspell iistellige", "TabAdvanced": "Erwiitert", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Fortlaufend", "OptionEnded": "Beendent", - "HeaderSync": "synchronisiere", - "TabPreferences": "iistellige", "HeaderAirDays": "Usstrahligs T\u00e4g", - "OptionReleaseDate": "Release Ziit:", - "TabPassword": "Passwort", - "HeaderEasyPinCode": "Eifache Pin Code", "OptionSunday": "Sonntig", - "LabelArtists": "Artist:", - "TabLibraryAccess": "Bibliothek Zuegriff", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "M\u00e4ntig", - "LabelArtistsHelp": "Trenn mehreri iistr\u00e4g dur es ;", - "TabImage": "Bild", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tsischtig", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "Name", "OptionWednesday": "Mittwoch", - "LabelDisplayMissingEpisodesWithinSeasons": "Zeig fehlendi Episode innerhalb vo de einzelne Staffle", - "HeaderDate": "Date", "OptionThursday": "Donnstig", - "LabelUnairedMissingEpisodesWithinSeasons": "Zeig ned usgstrahlti Episode innerhalb vo de einzelne Staffle", - "HeaderSource": "Source", "OptionFriday": "Friitig", - "ButtonAddLocalUser": "Erstell en lokale User", - "HeaderVideoPlaybackSettings": "Video Abspell iistellige", - "HeaderDestination": "Destination", "OptionSaturday": "Samstig", - "LabelAudioLanguagePreference": "Audio Sproch iistellig:", - "HeaderProgram": "Program", "HeaderManagement": "Verwaltig", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Undertitel Sproch iistellig:", - "HeaderClients": "Clients", + "LabelManagement": "Verwaltig:", "OptionMissingImdbId": "Fehlendi IMDB ID", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Schnellstart Instruktione", - "TabProfiles": "Profil", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Sicherheit", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Erstell en User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Speichere", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Passwort zrug setze", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "Neus Passwort:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "Neus Passwort best\u00e4tige:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Erstell es Passwort", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Jetzigs Passwort:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum erlaubti Kindersicherig:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Date mit enere h\u00f6here Kindersicherig werded vo dem User versteckt.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "W\u00e4hl en Medieordner us, um de mit dem User z'teile. Administratore werded immer d'M\u00f6glichkeit ha alli Verzeichnis mitm Metadate Manager z'bearbeite.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "Kei Undertitel", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "Neu", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadate", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Bilder", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titel", - "TabPlaylist": "Playliste", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Zuegriff", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.", - "HeaderDays": "Days", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username oder E-Mail:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "Das esch diin Emby Online Account Username oder Passwort.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Letschti Ergebnis:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Ordner", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Konfigurier Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Hindergrund", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 e2428bc12a..9d1107c086 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/he.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/he.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "\u05e9\u05d9\u05d8\u05ea \u05e9\u05de\u05d9\u05e8\u05ea \u05ea\u05de\u05d5\u05e0\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.", - "HeaderNewCollection": "\u05d0\u05d5\u05e4\u05e1\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "\u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", - "ButtonCreate": "\u05e6\u05d5\u05e8", - "ButtonSignIn": "\u05d4\u05d9\u05db\u05e0\u05e1", - "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.", - "TitleSignIn": "\u05d4\u05d9\u05db\u05e0\u05e1", - "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.", - "LabelWebSocketPortNumber": "\u05e4\u05d5\u05e8\u05d8 Web socket:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "\u05d0\u05e0\u05d0 \u05d4\u05d9\u05db\u05e0\u05e1", - "LabelUser": "\u05de\u05e9\u05ea\u05de\u05e9:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "\u05e1\u05d9\u05e1\u05de\u05d0:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05d9\u05d3\u05e0\u05d9\u05ea", - "OptionDownloadMenuImage": "\u05ea\u05e4\u05e8\u05d9\u05d8", - "TabResume": "\u05d4\u05de\u05e9\u05da", - "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.", - "OptionDownloadLogoImage": "\u05dc\u05d5\u05d2\u05d5", - "TabWeather": "\u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8", - "OptionDownloadBoxImage": "\u05de\u05d0\u05e8\u05d6", - "TitleAppSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4", - "ButtonDeleteImage": "\u05de\u05d7\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "\u05d3\u05d9\u05e1\u05e7", - "LabelMinResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9\u05dd:", - "ButtonUpload": "\u05d4\u05e2\u05dc\u05d4", - "OptionDownloadBannerImage": "\u05d1\u05d0\u05e0\u05e8", - "LabelMaxResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05dd", - "HeaderUploadNewImage": "\u05d4\u05e2\u05dc\u05d4 \u05ea\u05de\u05d5\u05e0\u05d4 \u05d7\u05d3\u05e9\u05d4", - "OptionDownloadBackImage": "\u05d2\u05d1", - "LabelMinResumeDuration": "\u05de\u05e9\u05da \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "\u05e2\u05d8\u05d9\u05e4\u05d4", - "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", - "ImageUploadAspectRatioHelp": "\u05de\u05d5\u05de\u05dc\u05e5 \u05d9\u05d7\u05e1 \u05d2\u05d5\u05d1\u05d4 \u05e9\u05dc 1:1. \u05e8\u05e7 JPG\/PNG.", - "OptionDownloadPrimaryImage": "\u05e8\u05d0\u05e9\u05d9", - "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", - "MessageNothingHere": "\u05d0\u05d9\u05df \u05db\u05d0\u05df \u05db\u05dc\u05d5\u05dd.", - "HeaderFetchImages": "\u05d4\u05d1\u05d0 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea:", - "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", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "\u05d1\u05d1\u05e7\u05e9\u05d4 \u05d5\u05d5\u05d3\u05d0 \u05db\u05d9 \u05d4\u05d5\u05e8\u05d3\u05ea \u05de\u05d9\u05d3\u05e2 \u05de\u05d4\u05d0\u05d9\u05e0\u05d8\u05e8\u05e0\u05d8 \u05de\u05d0\u05d5\u05e4\u05e9\u05e8\u05ea", - "HeaderImageSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05de\u05d5\u05e0\u05d4", - "TabSuggested": "\u05de\u05de\u05d5\u05dc\u05e5", - "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:", - "TabLatest": "\u05d0\u05d7\u05e8\u05d5\u05df", - "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:", - "TabUpcoming": "\u05d1\u05e7\u05e8\u05d5\u05d1", - "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:", - "TabShows": "\u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea", - "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:", - "TabEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u05d6\u05d0\u05e0\u05e8\u05d9\u05dd", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u05d0\u05e0\u05e9\u05d9\u05dd", - "ButtonAdd": "\u05d4\u05d5\u05e1\u05e3", - "TabNetworks": "\u05e8\u05e9\u05ea\u05d5\u05ea", - "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", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "\u05d0\u05d7\u05e8\u05d9 \u05d0\u05d9\u05e8\u05d5\u05e2 \u05de\u05e2\u05e8\u05db\u05ea", - "LabelDay": "\u05d9\u05d5\u05dd:", - "LabelTime": "\u05d6\u05de\u05df:", - "OptionRelease": "\u05e9\u05d9\u05d7\u05e8\u05d5\u05e8 \u05e8\u05e9\u05de\u05d9", - "LabelEvent": "\u05d0\u05d9\u05e8\u05d5\u05e2:", - "OptionBeta": "\u05d1\u05d8\u05d0", - "OptionWakeFromSleep": "\u05d4\u05e2\u05e8 \u05de\u05de\u05e6\u05d1 \u05e9\u05d9\u05e0\u05d4", - "ButtonInviteUser": "Invite User", - "OptionDev": "\u05de\u05e4\u05ea\u05d7 (\u05dc\u05d0 \u05d9\u05e6\u05d9\u05d1)", - "LabelEveryXMinutes": "\u05db\u05dc:", - "HeaderTvTuners": "\u05d8\u05d5\u05e0\u05e8\u05d9\u05dd", - "CategorySync": "Sync", - "HeaderGallery": "\u05d2\u05dc\u05e8\u05d9\u05d4", - "HeaderLatestGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "\u05d9\u05e6\u05d9\u05d0\u05d4", + "LabelVisitCommunity": "\u05d1\u05e7\u05e8 \u05d1\u05e7\u05d4\u05d9\u05dc\u05d4", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u05e8\u05d2\u05d9\u05dc", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "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", - "LabelManagement": "Management:", - "HeaderMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd", - "HeaderSpecialFeatures": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd", + "LabelBrowseLibrary": "\u05d3\u05e4\u05d3\u05e3 \u05d1\u05ea\u05d9\u05e7\u05d9\u05d9\u05d4", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "\u05e4\u05ea\u05d7 \u05de\u05e6\u05d9\u05d2 \u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", + "LabelRestartServer": "\u05d0\u05ea\u05d7\u05dc \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea", + "LabelShowLogWindow": "\u05d4\u05e8\u05d0\u05d4 \u05d7\u05dc\u05d5\u05df \u05dc\u05d5\u05d2", + "LabelPrevious": "\u05d4\u05e7\u05d5\u05d3\u05dd", + "LabelFinish": "\u05e1\u05d9\u05d9\u05dd", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u05d4\u05d1\u05d0", + "LabelYoureDone": "\u05e1\u05d9\u05d9\u05de\u05ea!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "\u05d0\u05e9\u05e3 \u05d6\u05d4 \u05d9\u05e2\u05d6\u05d5\u05e8 \u05dc\u05da \u05d1\u05d4\u05ea\u05dc\u05d9\u05da \u05d4\u05d4\u05ea\u05e7\u05e0\u05d4.", + "TellUsAboutYourself": "\u05e1\u05e4\u05e8 \u05dc\u05e0\u05d5 \u05e2\u05dc \u05e2\u05e6\u05de\u05da", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "\u05e9\u05de\u05da \u05d4\u05e4\u05e8\u05d8\u05d9:", + "MoreUsersCanBeAddedLater": "\u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd \u05de\u05d0\u05d5\u05d7\u05e8 \u05d9\u05d5\u05ea\u05e8 \u05d3\u05e8\u05da \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1", + "AWindowsServiceHasBeenInstalled": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1 \u05d4\u05d5\u05ea\u05e7\u05df", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "\u05d0\u05dd \u05d0\u05ea\u05d4 \u05de\u05e4\u05e2\u05d9\u05dc \u05d0\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1, \u05d1\u05d1\u05e7\u05e9\u05d4 \u05e9\u05d9\u05dd \u05dc\u05d1 \u05e9\u05d4\u05d5\u05d0 \u05dc\u05d0 \u05d9\u05db\u05d5\u05dc \u05dc\u05e8\u05d5\u05e5 \u05d1\u05d0\u05d5\u05ea\u05d5 \u05d6\u05de\u05df \u05e9\u05d4\u05e9\u05e8\u05ea \u05db\u05d1\u05e8 \u05e2\u05d5\u05d1\u05d3 \u05d1\u05e8\u05e7\u05e2. \u05dc\u05db\u05df \u05ea\u05e6\u05d8\u05e8\u05da \u05dc\u05e1\u05d2\u05d5\u05e8 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05e4\u05e2\u05d9\u05dc \u05d0\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea. \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05d2\u05dd \u05e6\u05e8\u05d9\u05da \u05dc\u05d4\u05d9\u05d5\u05ea \u05de\u05d5\u05d2\u05d3\u05e8 \u05e2\u05dd \u05d4\u05e8\u05e9\u05d0\u05d5\u05ea \u05de\u05e0\u05d4\u05dc \u05d3\u05e8\u05da \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4. \u05d1\u05d1\u05e7\u05e9\u05d4 \u05e7\u05d7 \u05d1\u05d7\u05e9\u05d1\u05d5\u05df \u05e9\u05db\u05e8\u05d2\u05e2 \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05dc\u05d0 \u05d9\u05db\u05d5\u05dc \u05dc\u05e2\u05d3\u05db\u05df \u05d0\u05ea \u05e2\u05e6\u05de\u05d5 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea, \u05d5\u05dc\u05db\u05df \u05d2\u05d9\u05e8\u05e1\u05d0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e6\u05e8\u05d9\u05db\u05d5 \u05e2\u05d9\u05d3\u05db\u05d5\u05df \u05d9\u05d3\u05e0\u05d9.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u05e7\u05d1\u05e2 \u05d0\u05ea \u05ea\u05e6\u05d5\u05e8\u05ea \u05d4\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "LabelEnableVideoImageExtraction": "\u05d0\u05e4\u05e9\u05e8 \u05e9\u05dc\u05d9\u05e4\u05ea \u05ea\u05de\u05d5\u05e0\u05d4 \u05de\u05e1\u05e8\u05d8", + "VideoImageExtractionHelp": "\u05e2\u05d1\u05d5\u05e8 \u05e1\u05e8\u05d8\u05d9\u05dd \u05e9\u05d0\u05d9\u05df \u05dc\u05d4\u05dd \u05db\u05d1\u05e8 \u05ea\u05de\u05d5\u05e0\u05d4, \u05d5\u05dc\u05d0 \u05e0\u05de\u05e6\u05d0\u05d4 \u05dc\u05d4\u05dd \u05d0\u05d7\u05ea \u05d1\u05d0\u05d9\u05e0\u05d8\u05e8\u05e0\u05d8. \u05d4\u05d2\u05d3\u05e8\u05d4 \u05d6\u05d5 \u05ea\u05d5\u05e1\u05d9\u05e3 \u05de\u05e2\u05d8 \u05d6\u05de\u05df \u05dc\u05ea\u05d4\u05dc\u05d9\u05da \u05e1\u05e8\u05d9\u05e7\u05ea \u05d4\u05ea\u05e7\u05d9\u05d9\u05d4 \u05d4\u05e8\u05d0\u05e9\u05d5\u05e0\u05d9, \u05d0\u05da \u05ea\u05e1\u05e4\u05e7 \u05ea\u05e6\u05d5\u05d2\u05d4 \u05d9\u05d5\u05ea\u05e8 \u05d9\u05e4\u05d4.", + "LabelEnableChapterImageExtractionForMovies": "\u05d7\u05dc\u05e5 \u05ea\u05de\u05d5\u05e0\u05ea \u05e4\u05e8\u05e7 \u05dc\u05e1\u05e8\u05d8\u05d9\u05dd", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "\u05d0\u05e4\u05e9\u05e8 \u05de\u05d9\u05e4\u05d5\u05d9 \u05e4\u05d5\u05e8\u05d8\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", + "LabelEnableAutomaticPortMappingHelp": "UPnP \u05de\u05d0\u05e4\u05e9\u05e8 \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05d5\u05ea \u05e9\u05dc \u05d4\u05e8\u05d0\u05d5\u05d8\u05e8 \u05dc\u05d0\u05e4\u05e9\u05e8 \u05d2\u05d9\u05e9\u05d4 \u05de\u05e8\u05d5\u05d7\u05e7\u05ea \u05d1\u05e7\u05dc\u05d5\u05ea. \u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5 \u05e2\u05dc\u05d5\u05dc\u05d4 \u05dc\u05d0 \u05dc\u05e2\u05d1\u05d5\u05d3 \u05e2\u05dd \u05db\u05dc \u05d3\u05d2\u05de\u05d9 \u05d4\u05e8\u05d0\u05d5\u05d8\u05e8\u05d9\u05dd.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "\u05e9\u05d7\u05e7\u05e0\u05d9\u05dd \u05d5\u05e6\u05d5\u05d5\u05ea", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "\u05d7\u05dc\u05e7\u05d9\u05dd \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "\u05e4\u05e6\u05dc \u05d2\u05e8\u05e1\u05d0\u05d5\u05ea \u05d1\u05e0\u05e4\u05e8\u05d3", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "\u05d7\u05e1\u05e8", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "\u05dc\u05d0 \u05de\u05e7\u05d5\u05d5\u05df", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "\u05de-", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "\u05dc-", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "\u05de:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0: D:\\Movies (\u05d1\u05e9\u05e8\u05ea)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "\u05dc:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "\u05d0\u05e9\u05e8", + "ButtonCancel": "\u05d1\u05d8\u05dc", + "ButtonExit": "Exit", + "ButtonNew": "\u05d7\u05d3\u05e9", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "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", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "\u05e1\u05e4\u05d9\u05d9\u05e9\u05dc\u05d9\u05dd", - "OptionMissingEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05e1\u05e8\u05d9\u05dd", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05e9\u05dc\u05d0 \u05e9\u05d5\u05d3\u05e8\u05d5", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "\u05de\u05d9\u05d5\u05df \u05e9\u05de\u05d5\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "\u05e9\u05dd \u05e1\u05d3\u05e8\u05d5\u05ea", - "TabNotifications": "\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea", - "OptionTvdbRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 Tvdb", - "LinkApi": "Api", - "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", - "LabelPublicHttpPort": "Public http port number:", - "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", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "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", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "\u05de\u05d4\u05d9\u05e8\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05ea", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1\u05e7\u05d9\u05d3\u05d5\u05d3", + "HeaderSetupLibrary": "\u05d4\u05d2\u05d3\u05e8 \u05d0\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05e9\u05dc\u05da", + "ButtonAddMediaFolder": "\u05d4\u05d5\u05e1\u05e3 \u05ea\u05d9\u05e7\u05d9\u05d9\u05ea \u05de\u05d3\u05d9\u05d4", + "LabelFolderType": "\u05e1\u05d5\u05d2 \u05d4\u05ea\u05d9\u05e7\u05d9\u05d9\u05d4:", + "ReferToMediaLibraryWiki": "\u05e4\u05e0\u05d4 \u05dc\u05de\u05d9\u05d3\u05e2 \u05d0\u05d5\u05d3\u05d5\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05d4\u05de\u05d3\u05d9\u05d4.", + "LabelCountry": "\u05de\u05d3\u05d9\u05e0\u05d4:", + "LabelLanguage": "\u05e9\u05e4\u05d4:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u05e9\u05e4\u05ea \u05de\u05d9\u05d3\u05e2 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", + "LabelSaveLocalMetadata": "\u05e9\u05de\u05d5\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05d1\u05ea\u05d5\u05da \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4", + "LabelSaveLocalMetadataHelp": "\u05e9\u05de\u05d9\u05e8\u05ea \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05d9\u05e9\u05d9\u05e8\u05d5\u05ea \u05d1\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05ea\u05d0\u05e4\u05e9\u05e8 \u05e2\u05e8\u05d9\u05db\u05d4 \u05e0\u05d5\u05d7\u05d4 \u05d5\u05e7\u05dc\u05d4 \u05e9\u05dc\u05d4\u05dd.", + "LabelDownloadInternetMetadata": "\u05d4\u05d5\u05e8\u05d3 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05de\u05d4\u05d0\u05d9\u05e0\u05e8\u05e0\u05d8", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u05d4\u05e2\u05d3\u05e4\u05d5\u05ea", + "TabPassword": "\u05e1\u05d9\u05e1\u05de\u05d0", + "TabLibraryAccess": "\u05d2\u05d9\u05e9\u05d4 \u05dc\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", + "TabAccess": "Access", + "TabImage": "\u05ea\u05de\u05d5\u05e0\u05d4", + "TabProfile": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc", + "TabMetadata": "Metadata", + "TabImages": "\u05ea\u05de\u05d5\u05e0\u05d5\u05ea", + "TabNotifications": "\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea", + "TabCollectionTitles": "\u05db\u05d5\u05ea\u05e8\u05d9\u05dd", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u05d4\u05e6\u05d2 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05e1\u05e8\u05d9\u05dd \u05d1\u05ea\u05d5\u05da \u05d4\u05e2\u05d5\u05e0\u05d5\u05ea", + "LabelUnairedMissingEpisodesWithinSeasons": "\u05d4\u05e6\u05d2 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e9\u05e2\u05d3\u05d9\u05df \u05d0\u05dc \u05e9\u05d5\u05d3\u05e8\u05d5 \u05d1\u05ea\u05d5\u05da \u05d4\u05e2\u05d5\u05e0\u05d5\u05ea", + "HeaderVideoPlaybackSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e0\u05d9\u05d2\u05d5\u05df", + "HeaderPlaybackSettings": "\u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05e0\u05d9\u05d2\u05d5\u05df", + "LabelAudioLanguagePreference": "\u05e9\u05e4\u05ea \u05e7\u05d5\u05dc \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", + "LabelSubtitleLanguagePreference": "\u05e9\u05e4\u05ea \u05db\u05ea\u05d5\u05d1\u05d9\u05d5\u05ea \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", "OptionDefaultSubtitles": "Default", - "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.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "\u05de\u05e1\u05e0\u05e0\u05d9\u05dd:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u05de\u05e1\u05e0\u05df", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "\u05de\u05d5\u05e2\u05d3\u05e4\u05d9\u05dd", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u05e0\u05d1\u05d7\u05e8\u05d9\u05dd", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "\u05dc\u05d0 \u05d0\u05d5\u05d4\u05d1", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd", + "TabSecurity": "\u05d1\u05d8\u05d9\u05d7\u05d5\u05ea", + "ButtonAddUser": "\u05d4\u05d5\u05e1\u05e3 \u05de\u05e9\u05ea\u05de\u05e9", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "\u05e9\u05de\u05d5\u05e8", + "ButtonResetPassword": "\u05d0\u05d9\u05e4\u05d5\u05e1 \u05e1\u05d9\u05e1\u05de\u05d0", + "LabelNewPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4:", + "LabelNewPasswordConfirm": "\u05d0\u05d9\u05de\u05d5\u05ea \u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4:", + "HeaderCreatePassword": "\u05e6\u05d5\u05e8 \u05e1\u05d9\u05e1\u05de\u05d0", + "LabelCurrentPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05e0\u05d5\u05db\u05d7\u05d9\u05ea:", + "LabelMaxParentalRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d4\u05d5\u05e8\u05d9\u05dd \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9:", + "MaxParentalRatingHelp": "\u05ea\u05d5\u05db\u05df \u05e2\u05dd \u05d3\u05d9\u05e8\u05d5\u05d2 \u05d2\u05d5\u05d1\u05d4 \u05d9\u05d5\u05ea\u05e8 \u05d9\u05d5\u05e1\u05ea\u05e8 \u05de\u05d4\u05de\u05e9\u05ea\u05de\u05e9.", + "LibraryAccessHelp": "\u05d1\u05d7\u05e8 \u05d0\u05ea \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05d0\u05e9\u05e8 \u05d9\u05e9\u05d5\u05ea\u05e4\u05d5 \u05e2\u05dd \u05d4\u05de\u05e9\u05ea\u05de\u05e9. \u05de\u05e0\u05d4\u05dc\u05d9\u05dd \u05d9\u05d5\u05db\u05dc\u05d5 \u05dc\u05e2\u05e8\u05d5\u05ea \u05d0\u05ea \u05db\u05dc \u05d4\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05d1\u05d0\u05de\u05e6\u05e2\u05d5\u05ea \u05e2\u05d5\u05e8\u05da \u05d4\u05de\u05d9\u05d3\u05e2.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "\u05de\u05d7\u05e7 \u05ea\u05de\u05d5\u05e0\u05d4", + "LabelSelectUsers": "\u05d1\u05d7\u05e8 \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd:", + "ButtonUpload": "\u05d4\u05e2\u05dc\u05d4", + "HeaderUploadNewImage": "\u05d4\u05e2\u05dc\u05d4 \u05ea\u05de\u05d5\u05e0\u05d4 \u05d7\u05d3\u05e9\u05d4", + "LabelDropImageHere": "Drop image here", + "ImageUploadAspectRatioHelp": "\u05de\u05d5\u05de\u05dc\u05e5 \u05d9\u05d7\u05e1 \u05d2\u05d5\u05d1\u05d4 \u05e9\u05dc 1:1. \u05e8\u05e7 JPG\/PNG.", + "MessageNothingHere": "\u05d0\u05d9\u05df \u05db\u05d0\u05df \u05db\u05dc\u05d5\u05dd.", + "MessagePleaseEnsureInternetMetadata": "\u05d1\u05d1\u05e7\u05e9\u05d4 \u05d5\u05d5\u05d3\u05d0 \u05db\u05d9 \u05d4\u05d5\u05e8\u05d3\u05ea \u05de\u05d9\u05d3\u05e2 \u05de\u05d4\u05d0\u05d9\u05e0\u05d8\u05e8\u05e0\u05d8 \u05de\u05d0\u05d5\u05e4\u05e9\u05e8\u05ea", + "TabSuggested": "\u05de\u05de\u05d5\u05dc\u05e5", + "TabSuggestions": "Suggestions", + "TabLatest": "\u05d0\u05d7\u05e8\u05d5\u05df", + "TabUpcoming": "\u05d1\u05e7\u05e8\u05d5\u05d1", + "TabShows": "\u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea", + "TabEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", + "TabGenres": "\u05d6\u05d0\u05e0\u05e8\u05d9\u05dd", + "TabPeople": "\u05d0\u05e0\u05e9\u05d9\u05dd", + "TabNetworks": "\u05e8\u05e9\u05ea\u05d5\u05ea", + "HeaderUsers": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", + "HeaderFilters": "\u05de\u05e1\u05e0\u05e0\u05d9\u05dd:", + "ButtonFilter": "\u05de\u05e1\u05e0\u05df", + "OptionFavorite": "\u05de\u05d5\u05e2\u05d3\u05e4\u05d9\u05dd", + "OptionLikes": "\u05e0\u05d1\u05d7\u05e8\u05d9\u05dd", + "OptionDislikes": "\u05dc\u05d0 \u05d0\u05d5\u05d4\u05d1", "OptionActors": "\u05e9\u05d7\u05e7\u05e0\u05d9\u05dd", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "\u05e9\u05d7\u05e7\u05df \u05d0\u05d5\u05e8\u05d7", - "HeaderCredits": "Credits", "OptionDirectors": "\u05d1\u05de\u05d0\u05d9\u05dd", - "TabCollections": "Collections", "OptionWriters": "\u05db\u05d5\u05ea\u05d1\u05d9\u05dd", - "TabFavorites": "Favorites", "OptionProducers": "\u05de\u05e4\u05d9\u05e7\u05d9\u05dd", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "\u05d4\u05de\u05e9\u05da", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "\u05d4\u05d1\u05d0 \u05d1\u05ea\u05d5\u05e8", "NoNextUpItemsMessage": "\u05dc\u05d0 \u05e0\u05de\u05e6\u05d0 \u05db\u05dc\u05d5\u05dd. \u05d4\u05ea\u05d7\u05dc\u05ea \u05dc\u05e6\u05e4\u05d5\u05ea \u05d1\u05e1\u05d3\u05e8\u05d5\u05ea \u05e9\u05dc\u05da!", "HeaderLatestEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd", "ButtonSort": "\u05de\u05d9\u05d9\u05df", "HeaderSortBy": "\u05de\u05d9\u05d9\u05df \u05dc\u05e4\u05d9:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "\u05e1\u05d3\u05e8 \u05de\u05d9\u05d5\u05df:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "\u05e0\u05d5\u05d2\u05df", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u05dc\u05d0 \u05e0\u05d5\u05d2\u05df", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "\u05e1\u05d3\u05e8 \u05e2\u05d5\u05dc\u05d4", "OptionDescending": "\u05e1\u05d3\u05e8 \u05d9\u05d5\u05e8\u05d3", "OptionRuntime": "\u05de\u05e9\u05da", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "\u05de\u05e1\u05e4\u05e8 \u05d4\u05e9\u05de\u05e2\u05d5\u05ea", "OptionDatePlayed": "\u05ea\u05d0\u05e8\u05d9\u05da \u05e0\u05d9\u05d2\u05d5\u05df", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u05ea\u05d0\u05e8\u05d9\u05da \u05d4\u05d5\u05e1\u05e4\u05d4", - "HeaderTV": "TV", "OptionAlbumArtist": "\u05d0\u05de\u05df \u05d0\u05dc\u05d1\u05d5\u05dd", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "\u05d0\u05de\u05df", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "\u05d0\u05dc\u05d1\u05d5\u05dd", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u05e9\u05dd \u05d4\u05e9\u05d9\u05e8", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "\u05d1\u05d7\u05e8 \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd:", "OptionCommunityRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d4\u05e7\u05d4\u05d9\u05dc\u05d4", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "\u05e9\u05dd", + "OptionFolderSort": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", "OptionBudget": "\u05ea\u05e7\u05e6\u05d9\u05d1", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "\u05d4\u05db\u05e0\u05e1\u05d5\u05ea", "OptionPoster": "\u05e4\u05d5\u05e1\u05d8\u05e8", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "\u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2", "OptionTimeline": "\u05e6\u05d9\u05e8 \u05d6\u05de\u05df", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "\u05d1\u05d0\u05e0\u05e8", "OptionCriticRating": "\u05e6\u05d9\u05d5\u05df \u05de\u05d1\u05e7\u05e8\u05d9\u05dd", "OptionVideoBitrate": "\u05e7\u05e6\u05ea \u05d5\u05d5\u05d9\u05d3\u05d0\u05d5", "OptionResumable": "\u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05de\u05e9\u05d9\u05da", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05d5\u05ea", "TabMyPlugins": "\u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05e9\u05dc\u05d9", "TabCatalog": "\u05e7\u05d8\u05dc\u05d5\u05d2", - "ThisWizardWillGuideYou": "\u05d0\u05e9\u05e3 \u05d6\u05d4 \u05d9\u05e2\u05d6\u05d5\u05e8 \u05dc\u05da \u05d1\u05d4\u05ea\u05dc\u05d9\u05da \u05d4\u05d4\u05ea\u05e7\u05e0\u05d4.", - "TellUsAboutYourself": "\u05e1\u05e4\u05e8 \u05dc\u05e0\u05d5 \u05e2\u05dc \u05e2\u05e6\u05de\u05da", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "\u05e2\u05d9\u05d3\u05db\u05d5\u05e0\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05dd", - "LabelYourFirstName": "\u05e9\u05de\u05da \u05d4\u05e4\u05e8\u05d8\u05d9:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd \u05de\u05d0\u05d5\u05d7\u05e8 \u05d9\u05d5\u05ea\u05e8 \u05d3\u05e8\u05da \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4.", "HeaderNowPlaying": "\u05de\u05e0\u05d2\u05df \u05e2\u05db\u05e9\u05d9\u05d5", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "\u05d0\u05dc\u05d1\u05d5\u05de\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", - "LabelWindowsService": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1", "HeaderLatestSongs": "\u05e9\u05d9\u05e8\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1 \u05d4\u05d5\u05ea\u05e7\u05df", "HeaderRecentlyPlayed": "\u05e0\u05d5\u05d2\u05e0\u05d5 \u05dc\u05d0\u05d7\u05e8\u05d5\u05e0\u05d4", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "\u05e0\u05d5\u05d2\u05e0\u05d5 \u05dc\u05e8\u05d5\u05d1", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "\u05d0\u05dd \u05d0\u05ea\u05d4 \u05de\u05e4\u05e2\u05d9\u05dc \u05d0\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1, \u05d1\u05d1\u05e7\u05e9\u05d4 \u05e9\u05d9\u05dd \u05dc\u05d1 \u05e9\u05d4\u05d5\u05d0 \u05dc\u05d0 \u05d9\u05db\u05d5\u05dc \u05dc\u05e8\u05d5\u05e5 \u05d1\u05d0\u05d5\u05ea\u05d5 \u05d6\u05de\u05df \u05e9\u05d4\u05e9\u05e8\u05ea \u05db\u05d1\u05e8 \u05e2\u05d5\u05d1\u05d3 \u05d1\u05e8\u05e7\u05e2. \u05dc\u05db\u05df \u05ea\u05e6\u05d8\u05e8\u05da \u05dc\u05e1\u05d2\u05d5\u05e8 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05e4\u05e2\u05d9\u05dc \u05d0\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea. \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05d2\u05dd \u05e6\u05e8\u05d9\u05da \u05dc\u05d4\u05d9\u05d5\u05ea \u05de\u05d5\u05d2\u05d3\u05e8 \u05e2\u05dd \u05d4\u05e8\u05e9\u05d0\u05d5\u05ea \u05de\u05e0\u05d4\u05dc \u05d3\u05e8\u05da \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4. \u05d1\u05d1\u05e7\u05e9\u05d4 \u05e7\u05d7 \u05d1\u05d7\u05e9\u05d1\u05d5\u05df \u05e9\u05db\u05e8\u05d2\u05e2 \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05dc\u05d0 \u05d9\u05db\u05d5\u05dc \u05dc\u05e2\u05d3\u05db\u05df \u05d0\u05ea \u05e2\u05e6\u05de\u05d5 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea, \u05d5\u05dc\u05db\u05df \u05d2\u05d9\u05e8\u05e1\u05d0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e6\u05e8\u05d9\u05db\u05d5 \u05e2\u05d9\u05d3\u05db\u05d5\u05df \u05d9\u05d3\u05e0\u05d9.", "DevBuildWarning": "\u05d2\u05e8\u05e1\u05d0\u05d5\u05ea \u05de\u05e4\u05ea\u05d7 \u05d4\u05df \u05d7\u05d5\u05d3 \u05d4\u05d7\u05e0\u05d9\u05ea. \u05d2\u05e8\u05e1\u05d0\u05d5\u05ea \u05d0\u05dc\u05d4 \u05dc\u05d0 \u05e0\u05d1\u05d3\u05e7\u05d5 \u05d5\u05d4\u05df \u05de\u05e9\u05d5\u05d7\u05e8\u05e8\u05d5\u05ea \u05d1\u05de\u05d4\u05d9\u05e8\u05d5\u05ea. \u05d4\u05ea\u05d5\u05db\u05e0\u05d4 \u05e2\u05dc\u05d5\u05dc\u05d4 \u05dc\u05e7\u05e8\u05d5\u05e1 \u05d5\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd \u05de\u05e1\u05d5\u05d9\u05d9\u05de\u05d9\u05dd \u05e2\u05dc\u05d5\u05dc\u05d9\u05dd \u05db\u05dc\u05dc \u05dc\u05d0 \u05dc\u05e2\u05d1\u05d5\u05d3.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "\u05e7\u05d1\u05e2 \u05d0\u05ea \u05ea\u05e6\u05d5\u05e8\u05ea \u05d4\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", - "LabelEnableVideoImageExtraction": "\u05d0\u05e4\u05e9\u05e8 \u05e9\u05dc\u05d9\u05e4\u05ea \u05ea\u05de\u05d5\u05e0\u05d4 \u05de\u05e1\u05e8\u05d8", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "\u05e2\u05d1\u05d5\u05e8 \u05e1\u05e8\u05d8\u05d9\u05dd \u05e9\u05d0\u05d9\u05df \u05dc\u05d4\u05dd \u05db\u05d1\u05e8 \u05ea\u05de\u05d5\u05e0\u05d4, \u05d5\u05dc\u05d0 \u05e0\u05de\u05e6\u05d0\u05d4 \u05dc\u05d4\u05dd \u05d0\u05d7\u05ea \u05d1\u05d0\u05d9\u05e0\u05d8\u05e8\u05e0\u05d8. \u05d4\u05d2\u05d3\u05e8\u05d4 \u05d6\u05d5 \u05ea\u05d5\u05e1\u05d9\u05e3 \u05de\u05e2\u05d8 \u05d6\u05de\u05df \u05dc\u05ea\u05d4\u05dc\u05d9\u05da \u05e1\u05e8\u05d9\u05e7\u05ea \u05d4\u05ea\u05e7\u05d9\u05d9\u05d4 \u05d4\u05e8\u05d0\u05e9\u05d5\u05e0\u05d9, \u05d0\u05da \u05ea\u05e1\u05e4\u05e7 \u05ea\u05e6\u05d5\u05d2\u05d4 \u05d9\u05d5\u05ea\u05e8 \u05d9\u05e4\u05d4.", - "LabelEnableChapterImageExtractionForMovies": "\u05d7\u05dc\u05e5 \u05ea\u05de\u05d5\u05e0\u05ea \u05e4\u05e8\u05e7 \u05dc\u05e1\u05e8\u05d8\u05d9\u05dd", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "\u05d0\u05e4\u05e9\u05e8 \u05de\u05d9\u05e4\u05d5\u05d9 \u05e4\u05d5\u05e8\u05d8\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP \u05de\u05d0\u05e4\u05e9\u05e8 \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05d5\u05ea \u05e9\u05dc \u05d4\u05e8\u05d0\u05d5\u05d8\u05e8 \u05dc\u05d0\u05e4\u05e9\u05e8 \u05d2\u05d9\u05e9\u05d4 \u05de\u05e8\u05d5\u05d7\u05e7\u05ea \u05d1\u05e7\u05dc\u05d5\u05ea. \u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5 \u05e2\u05dc\u05d5\u05dc\u05d4 \u05dc\u05d0 \u05dc\u05e2\u05d1\u05d5\u05d3 \u05e2\u05dd \u05db\u05dc \u05d3\u05d2\u05de\u05d9 \u05d4\u05e8\u05d0\u05d5\u05d8\u05e8\u05d9\u05dd.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "\u05d0\u05e9\u05e8", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u05d1\u05d8\u05dc", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "\u05d4\u05d2\u05d3\u05e8 \u05d0\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05e9\u05dc\u05da", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "\u05d4\u05d5\u05e1\u05e3 \u05ea\u05d9\u05e7\u05d9\u05d9\u05ea \u05de\u05d3\u05d9\u05d4", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u05e1\u05d5\u05d2 \u05d4\u05ea\u05d9\u05e7\u05d9\u05d9\u05d4:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "\u05e4\u05e0\u05d4 \u05dc\u05de\u05d9\u05d3\u05e2 \u05d0\u05d5\u05d3\u05d5\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05d4\u05de\u05d3\u05d9\u05d4.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u05de\u05d3\u05d9\u05e0\u05d4:", - "LabelLanguage": "\u05e9\u05e4\u05d4:", - "HeaderPreferredMetadataLanguage": "\u05e9\u05e4\u05ea \u05de\u05d9\u05d3\u05e2 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u05e9\u05de\u05d5\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05d1\u05ea\u05d5\u05da \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4", - "LabelSaveLocalMetadataHelp": "\u05e9\u05de\u05d9\u05e8\u05ea \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05d9\u05e9\u05d9\u05e8\u05d5\u05ea \u05d1\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05ea\u05d0\u05e4\u05e9\u05e8 \u05e2\u05e8\u05d9\u05db\u05d4 \u05e0\u05d5\u05d7\u05d4 \u05d5\u05e7\u05dc\u05d4 \u05e9\u05dc\u05d4\u05dd.", - "LabelDownloadInternetMetadata": "\u05d4\u05d5\u05e8\u05d3 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05d5\u05de\u05d9\u05d3\u05e2 \u05de\u05d4\u05d0\u05d9\u05e0\u05e8\u05e0\u05d8", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "\u05d9\u05e6\u05d9\u05d0\u05d4", - "OptionBanner": "\u05d1\u05d0\u05e0\u05e8", - "LabelVisitCommunity": "\u05d1\u05e7\u05e8 \u05d1\u05e7\u05d4\u05d9\u05dc\u05d4", "LabelVideoType": "\u05d2\u05d5\u05d3 \u05d5\u05d5\u05d9\u05d3\u05d0\u05d5:", "OptionBluray": "\u05d1\u05dc\u05d5-\u05e8\u05d9\u05d9", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "\u05e8\u05d2\u05d9\u05dc", "OptionIso": "ISO", "Option3D": "\u05ea\u05dc\u05ea \u05de\u05d9\u05de\u05d3", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "\u05d3\u05e4\u05d3\u05e3 \u05d1\u05ea\u05d9\u05e7\u05d9\u05d9\u05d4", "LabelFeatures": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "\u05db\u05ea\u05d5\u05d1\u05d9\u05d5\u05ea", - "LabelOpenLibraryViewer": "\u05e4\u05ea\u05d7 \u05de\u05e6\u05d9\u05d2 \u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", "OptionHasTrailer": "\u05d8\u05e8\u05d9\u05d9\u05dc\u05e8", - "LabelRestartServer": "\u05d0\u05ea\u05d7\u05dc \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea", "OptionHasThemeSong": "\u05e9\u05d9\u05e8 \u05e0\u05d5\u05e9\u05d0", - "LabelShowLogWindow": "\u05d4\u05e8\u05d0\u05d4 \u05d7\u05dc\u05d5\u05df \u05dc\u05d5\u05d2", "OptionHasThemeVideo": "\u05e1\u05e8\u05d8 \u05e0\u05d5\u05e9\u05d0", - "LabelPrevious": "\u05d4\u05e7\u05d5\u05d3\u05dd", "TabMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", - "LabelFinish": "\u05e1\u05d9\u05d9\u05dd", "TabStudios": "\u05d0\u05d5\u05dc\u05e4\u05e0\u05d9\u05dd", - "FolderTypeMixed": "Mixed content", - "LabelNext": "\u05d4\u05d1\u05d0", "TabTrailers": "\u05d8\u05e8\u05d9\u05d9\u05dc\u05e8\u05d9\u05dd", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "\u05e1\u05d9\u05d9\u05de\u05ea!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "\u05d8\u05e8\u05d9\u05d9\u05dc\u05d9\u05e8\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 IMDb", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d1\u05e7\u05e8\u05ea \u05d4\u05d5\u05e8\u05d9\u05dd", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "\u05ea\u05d0\u05e8\u05d9\u05da \u05e9\u05d9\u05d3\u05d5\u05e8 \u05e8\u05d0\u05e9\u05d5\u05df", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "\u05d1\u05e1\u05d9\u05e1\u05d9", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "\u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05e0\u05d9\u05d2\u05d5\u05df", "TabAdvanced": "\u05de\u05ea\u05e7\u05d3\u05dd", - "FolderTypeTvShows": "TV", "HeaderStatus": "\u05de\u05e6\u05d1", "OptionContinuing": "\u05de\u05de\u05e9\u05d9\u05da", "OptionEnded": "\u05d4\u05e1\u05ea\u05d9\u05d9\u05dd", - "HeaderSync": "Sync", - "TabPreferences": "\u05d4\u05e2\u05d3\u05e4\u05d5\u05ea", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "\u05e1\u05d9\u05e1\u05de\u05d0", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "\u05e8\u05d0\u05e9\u05d5\u05df", - "LabelArtists": "Artists:", - "TabLibraryAccess": "\u05d2\u05d9\u05e9\u05d4 \u05dc\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", - "TitleAutoOrganize": "\u05d0\u05e8\u05d2\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", "OptionMonday": "\u05e9\u05e0\u05d9", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "\u05ea\u05de\u05d5\u05e0\u05d4", - "TabActivityLog": "\u05e8\u05d9\u05e9\u05d5\u05dd \u05e4\u05e2\u05d5\u05dc\u05d5\u05ea", "OptionTuesday": "\u05e9\u05dc\u05d9\u05e9\u05d9", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc", - "HeaderName": "\u05e9\u05dd", "OptionWednesday": "\u05e8\u05d1\u05d9\u05e2\u05d9", - "LabelDisplayMissingEpisodesWithinSeasons": "\u05d4\u05e6\u05d2 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05e1\u05e8\u05d9\u05dd \u05d1\u05ea\u05d5\u05da \u05d4\u05e2\u05d5\u05e0\u05d5\u05ea", - "HeaderDate": "\u05ea\u05d0\u05e8\u05d9\u05da", "OptionThursday": "\u05d7\u05de\u05d9\u05e9\u05d9", - "LabelUnairedMissingEpisodesWithinSeasons": "\u05d4\u05e6\u05d2 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e9\u05e2\u05d3\u05d9\u05df \u05d0\u05dc \u05e9\u05d5\u05d3\u05e8\u05d5 \u05d1\u05ea\u05d5\u05da \u05d4\u05e2\u05d5\u05e0\u05d5\u05ea", - "HeaderSource": "\u05de\u05e7\u05d5\u05e8", "OptionFriday": "\u05e9\u05d9\u05e9\u05d9", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e0\u05d9\u05d2\u05d5\u05df", - "HeaderDestination": "\u05d9\u05e2\u05d3", "OptionSaturday": "\u05e9\u05d1\u05ea", - "LabelAudioLanguagePreference": "\u05e9\u05e4\u05ea \u05e7\u05d5\u05dc \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", - "HeaderProgram": "\u05ea\u05d5\u05db\u05e0\u05d4", "HeaderManagement": "Management", - "OptionMissingTmdbId": "\u05d7\u05d6\u05e8 \u05de\u05d6\u05d4\u05d4 Tmdb", - "LabelSubtitleLanguagePreference": "\u05e9\u05e4\u05ea \u05db\u05ea\u05d5\u05d1\u05d9\u05d5\u05ea \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", - "HeaderClients": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", + "LabelManagement": "Management:", "OptionMissingImdbId": "\u05d7\u05e1\u05e8 \u05de\u05d6\u05d4\u05d4 IMBb", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "\u05d4\u05d5\u05e9\u05dc\u05dd", "OptionMissingTvdbId": "\u05d7\u05e1\u05e8 \u05de\u05d6\u05d4\u05d4 TheTVDB", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd", "OptionMissingOverview": "\u05d7\u05e1\u05e8\u05d4 \u05e1\u05e7\u05d9\u05e8\u05d4", + "OptionFileMetadataYearMismatch": "\u05d4\u05e9\u05e0\u05d4 \u05dc\u05d0 \u05de\u05ea\u05d0\u05d9\u05de\u05d4 \u05d1\u05d9\u05df \u05d4\u05de\u05d9\u05d3\u05e2 \u05dc\u05e7\u05d5\u05d1\u05e5", + "TabGeneral": "\u05db\u05dc\u05dc\u05d9", + "TitleSupport": "\u05ea\u05de\u05d9\u05db\u05d4", + "LabelSeasonNumber": "Season number", + "TabLog": "\u05dc\u05d5\u05d2", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u05d0\u05d5\u05d3\u05d5\u05ea", + "TabSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05d5\u05de\u05da", + "TabBecomeSupporter": "\u05d4\u05e4\u05d5\u05da \u05dc\u05ea\u05d5\u05de\u05da", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "\u05d7\u05e4\u05e9 \u05d1\u05de\u05d0\u05d2\u05e8 \u05d4\u05de\u05d9\u05d3\u05e2", + "VisitTheCommunity": "\u05d1\u05e7\u05e8 \u05d1\u05e7\u05d4\u05d9\u05dc\u05d4", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "\u05d4\u05e1\u05ea\u05e8 \u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4 \u05d1\u05d7\u05dc\u05d5\u05df \u05d4\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "\u05d1\u05d8\u05dc \u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4", + "OptionDisableUserHelp": "\u05d0\u05dd \u05de\u05d1\u05d5\u05d8\u05dc, \u05d4\u05e9\u05e8\u05ea \u05e9\u05dc\u05d0 \u05d9\u05d0\u05e4\u05e9\u05e8 \u05d7\u05d9\u05d1\u05d5\u05e8\u05d9\u05dd \u05de\u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4. \u05d7\u05d9\u05d1\u05d5\u05e8\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd \u05d9\u05d1\u05d5\u05d8\u05dc\u05d5 \u05de\u05d9\u05d9\u05d3.", + "HeaderAdvancedControl": "\u05e9\u05dc\u05d9\u05d8\u05d4 \u05de\u05ea\u05e7\u05d3\u05de\u05d5\u05ea", + "LabelName": "\u05e9\u05dd:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4 \u05dc\u05e0\u05d4\u05dc \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea", + "HeaderFeatureAccess": "\u05d2\u05d9\u05e9\u05d4 \u05dc\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "\u05d7\u05d6\u05e8 \u05de\u05d6\u05d4\u05d4 Tmdb", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "\u05d1\u05d8\u05d9\u05d7\u05d5\u05ea", - "HeaderVideo": "Video", - "LabelSkipped": "\u05d3\u05d5\u05dc\u05d2", - "OptionFileMetadataYearMismatch": "\u05d4\u05e9\u05e0\u05d4 \u05dc\u05d0 \u05de\u05ea\u05d0\u05d9\u05de\u05d4 \u05d1\u05d9\u05df \u05d4\u05de\u05d9\u05d3\u05e2 \u05dc\u05e7\u05d5\u05d1\u05e5", "ButtonSelect": "\u05d1\u05d7\u05e8", - "ButtonAddUser": "\u05d4\u05d5\u05e1\u05e3 \u05de\u05e9\u05ea\u05de\u05e9", - "HeaderEpisodeOrganization": "\u05d0\u05d9\u05e8\u05d2\u05d5\u05df \u05e4\u05e8\u05e7\u05d9\u05dd", - "TabGeneral": "\u05db\u05dc\u05dc\u05d9", "ButtonGroupVersions": "\u05e7\u05d1\u05d5\u05e6\u05ea \u05d2\u05e8\u05e1\u05d0\u05d5\u05ea", - "TabGuide": "\u05de\u05d3\u05e8\u05d9\u05da", - "ButtonSave": "\u05e9\u05de\u05d5\u05e8", - "TitleSupport": "\u05ea\u05de\u05d9\u05db\u05d4", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "\u05d0\u05e4\u05e9\u05e8 \u05d8\u05e2\u05d9\u05e0\u05ea \u05e7\u05d1\u05e6\u05d9 Pismo \u05d3\u05e8\u05da \u05e8\u05d9\u05e9\u05d9\u05d5\u05df \u05ea\u05e8\u05d5\u05de\u05d4.", - "TabChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd", - "ButtonResetPassword": "\u05d0\u05d9\u05e4\u05d5\u05e1 \u05e1\u05d9\u05e1\u05de\u05d0", - "LabelSeasonNumber": "\u05de\u05e1\u05e4\u05e8 \u05e2\u05d5\u05e0\u05d4:", - "TabLog": "\u05dc\u05d5\u05d2", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "\u05d0\u05e0\u05d0 \u05ea\u05de\u05db\u05d5 \u05d1\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d7\u05d9\u05e0\u05de\u05d9\u05d9\u05dd \u05d0\u05d7\u05e8\u05d9\u05dd \u05e9\u05d1\u05d4\u05dd \u05d0\u05e0\u05d5 \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd:", - "HeaderChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd", - "LabelNewPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4:", - "LabelEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e4\u05e8\u05e7:", - "TabAbout": "\u05d0\u05d5\u05d3\u05d5\u05ea", "VersionNumber": "\u05d2\u05d9\u05e8\u05e1\u05d0 {0}", - "TabRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea", - "LabelNewPasswordConfirm": "\u05d0\u05d9\u05de\u05d5\u05ea \u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4:", - "LabelEndingEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e1\u05d9\u05d5\u05dd \u05e4\u05e8\u05e7:", - "TabSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05d5\u05de\u05da", "TabPaths": "\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd", - "TabScheduled": "\u05dc\u05d5\u05d7 \u05d6\u05de\u05e0\u05d9\u05dd", - "HeaderCreatePassword": "\u05e6\u05d5\u05e8 \u05e1\u05d9\u05e1\u05de\u05d0", - "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", - "TabBecomeSupporter": "\u05d4\u05e4\u05d5\u05da \u05dc\u05ea\u05d5\u05de\u05da", "TabServer": "\u05e9\u05e8\u05ea", - "TabSeries": "\u05e1\u05d3\u05e8\u05d5\u05ea", - "LabelCurrentPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05e0\u05d5\u05db\u05d7\u05d9\u05ea:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "\u05e7\u05d9\u05d3\u05d5\u05d3", - "ButtonCancelRecording": "\u05d1\u05d8\u05dc \u05d4\u05e7\u05dc\u05d8\u05d4", - "LabelMaxParentalRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 \u05d4\u05d5\u05e8\u05d9\u05dd \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9:", - "LabelSupportAmount": "\u05db\u05de\u05d5\u05ea (\u05d3\u05d5\u05dc\u05e8\u05d9\u05dd)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "\u05de\u05ea\u05e7\u05d3\u05dd", - "HeaderPrePostPadding": "\u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd\/\u05de\u05d0\u05d5\u05d7\u05e8", - "MaxParentalRatingHelp": "\u05ea\u05d5\u05db\u05df \u05e2\u05dd \u05d3\u05d9\u05e8\u05d5\u05d2 \u05d2\u05d5\u05d1\u05d4 \u05d9\u05d5\u05ea\u05e8 \u05d9\u05d5\u05e1\u05ea\u05e8 \u05de\u05d4\u05de\u05e9\u05ea\u05de\u05e9.", - "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.", - "SearchKnowledgeBase": "\u05d7\u05e4\u05e9 \u05d1\u05de\u05d0\u05d2\u05e8 \u05d4\u05de\u05d9\u05d3\u05e2", "LabelAutomaticUpdateLevel": "\u05e8\u05de\u05ea \u05e2\u05d3\u05db\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", - "LabelPrePaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd:", - "LibraryAccessHelp": "\u05d1\u05d7\u05e8 \u05d0\u05ea \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05d0\u05e9\u05e8 \u05d9\u05e9\u05d5\u05ea\u05e4\u05d5 \u05e2\u05dd \u05d4\u05de\u05e9\u05ea\u05de\u05e9. \u05de\u05e0\u05d4\u05dc\u05d9\u05dd \u05d9\u05d5\u05db\u05dc\u05d5 \u05dc\u05e2\u05e8\u05d5\u05ea \u05d0\u05ea \u05db\u05dc \u05d4\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05d1\u05d0\u05de\u05e6\u05e2\u05d5\u05ea \u05e2\u05d5\u05e8\u05da \u05d4\u05de\u05d9\u05d3\u05e2.", - "ButtonEnterSupporterKey": "\u05d4\u05db\u05e0\u05e1 \u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4", - "VisitTheCommunity": "\u05d1\u05e7\u05e8 \u05d1\u05e7\u05d4\u05d9\u05dc\u05d4", + "OptionRelease": "\u05e9\u05d9\u05d7\u05e8\u05d5\u05e8 \u05e8\u05e9\u05de\u05d9", + "OptionBeta": "\u05d1\u05d8\u05d0", + "OptionDev": "\u05de\u05e4\u05ea\u05d7 (\u05dc\u05d0 \u05d9\u05e6\u05d9\u05d1)", "LabelAllowServerAutoRestart": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05e9\u05e8\u05ea \u05dc\u05d4\u05ea\u05d7\u05d9\u05dc \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d3\u05d9 \u05dc\u05d0\u05e4\u05e9\u05e8 \u05d0\u05ea \u05d4\u05e2\u05d9\u05d3\u05db\u05d5\u05e0\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.", - "OptionNoSubtitles": "No Subtitles", - "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.", "LabelAllowServerAutoRestartHelp": "\u05d4\u05e9\u05e8\u05ea \u05d9\u05ea\u05d7\u05d9\u05dc \u05de\u05d7\u05d3\u05e9 \u05e8\u05e7 \u05db\u05e9\u05d0\u05e8 \u05d0\u05d9\u05df \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd", - "LabelPostPaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05d0\u05d5\u05d7\u05e8:", - "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.", "LabelEnableDebugLogging": "\u05d0\u05e4\u05e9\u05e8 \u05ea\u05d9\u05e2\u05d5\u05d3 \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea \u05dc\u05d0\u05d9\u05ea\u05d5\u05e8 \u05ea\u05e7\u05dc\u05d5\u05ea", - "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.", - "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.", - "OptionHideUser": "\u05d4\u05e1\u05ea\u05e8 \u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4 \u05d1\u05d7\u05dc\u05d5\u05df \u05d4\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea", "LabelRunServerAtStartup": "\u05d4\u05ea\u05d7\u05dc \u05e9\u05e8\u05ea \u05d1\u05d4\u05e4\u05e2\u05dc\u05ea \u05d4\u05de\u05d7\u05e9\u05d1", - "HeaderWhatsOnTV": "\u05de\u05d4 \u05de\u05e9\u05d5\u05d3\u05e8", - "ButtonNew": "\u05d7\u05d3\u05e9", - "OptionEnableEpisodeOrganization": "\u05d0\u05e4\u05e9\u05e8 \u05e1\u05d9\u05d3\u05d5\u05e8 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd", - "OptionDisableUser": "\u05d1\u05d8\u05dc \u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4", "LabelRunServerAtStartupHelp": "\u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5 \u05ea\u05ea\u05d7\u05d9\u05dc \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05d5\u05ea\u05e8\u05d0\u05d4 \u05d0\u05ea \u05d4\u05d0\u05d9\u05e7\u05d5\u05df \u05e9\u05dc\u05d5 \u05d1\u05e9\u05d5\u05e8\u05ea \u05d4\u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05de\u05d7\u05e9\u05d1 \u05e2\u05d5\u05dc\u05d4. \u05db\u05d3\u05d9 \u05dc\u05d4\u05ea\u05d7\u05d9\u05dc \u05d0\u05ea \u05e9\u05d9\u05e8\u05d5\u05ea \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1, \u05d1\u05d8\u05dc \u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d0\u05ea \u05d5\u05d4\u05ea\u05d7\u05dc \u05d0\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea \u05de\u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4 \u05e9\u05dc \u05d5\u05d5\u05d9\u05e0\u05d3\u05d5\u05e1. \u05d1\u05d1\u05e7\u05e9\u05d4 \u05e9\u05d9\u05dd \u05dc\u05d1 \u05e9\u05d0\u05d9\u05e0\u05da \u05d9\u05db\u05d5\u05dc \u05dc\u05d4\u05e8\u05d9\u05e5 \u05d0\u05ea \u05e9\u05ea\u05d9 \u05d4\u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05d4\u05d0\u05dc\u05d5 \u05d1\u05de\u05e7\u05d1\u05d9\u05dc, \u05d0\u05ea\u05d4 \u05e6\u05e8\u05d9\u05da \u05dc\u05e6\u05d0\u05ea \u05d5\u05dc\u05e1\u05d2\u05d5\u05e8 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05dc\u05e4\u05e0\u05d9 \u05d4\u05ea\u05d7\u05dc\u05ea \u05d4\u05e9\u05d9\u05e8\u05d5\u05ea.", - "HeaderUpcomingTV": "\u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05e7\u05e8\u05d5\u05d1\u05d9\u05dd", - "TabMetadata": "Metadata", - "LabelWatchFolder": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05dc\u05de\u05e2\u05e7\u05d1:", - "OptionDisableUserHelp": "\u05d0\u05dd \u05de\u05d1\u05d5\u05d8\u05dc, \u05d4\u05e9\u05e8\u05ea \u05e9\u05dc\u05d0 \u05d9\u05d0\u05e4\u05e9\u05e8 \u05d7\u05d9\u05d1\u05d5\u05e8\u05d9\u05dd \u05de\u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4. \u05d7\u05d9\u05d1\u05d5\u05e8\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd \u05d9\u05d1\u05d5\u05d8\u05dc\u05d5 \u05de\u05d9\u05d9\u05d3.", "ButtonSelectDirectory": "\u05d1\u05d7\u05e8 \u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", - "TabStatus": "\u05de\u05e6\u05d1", - "TabImages": "\u05ea\u05de\u05d5\u05e0\u05d5\u05ea", - "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\".", - "HeaderAdvancedControl": "\u05e9\u05dc\u05d9\u05d8\u05d4 \u05de\u05ea\u05e7\u05d3\u05de\u05d5\u05ea", "LabelCustomPaths": "\u05d4\u05d2\u05d3\u05e8 \u05d0\u05ea \u05d4\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05d4\u05e8\u05e6\u05d5\u05d9\u05d9\u05dd. \u05d4\u05e9\u05d0\u05e8 \u05e9\u05d3\u05d5\u05ea \u05e8\u05d9\u05e7\u05d9\u05dd \u05dc\u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05d1\u05e8\u05d9\u05e8\u05ea \u05d4\u05de\u05d7\u05d3\u05dc.", - "TabSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", - "TabCollectionTitles": "\u05db\u05d5\u05ea\u05e8\u05d9\u05dd", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "\u05d4\u05e8\u05d0\u05d4 \u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05d5\u05ea", - "LabelName": "\u05e9\u05dd:", "LabelCachePath": "\u05e0\u05ea\u05d9\u05d1 cache:", - "ButtonRefreshGuideData": "\u05e8\u05e2\u05e0\u05df \u05d0\u05ea \u05de\u05d3\u05e8\u05d9\u05da \u05d4\u05e9\u05d9\u05d3\u05d5\u05e8", - "LabelMinFileSizeForOrganize": "\u05d2\u05d5\u05d3\u05dc \u05e7\u05d5\u05d1\u05e5 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (MB):", - "OptionAllowUserToManageServer": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05e9\u05ea\u05de\u05e9 \u05d6\u05d4 \u05dc\u05e0\u05d4\u05dc \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "\u05e2\u05d3\u05d9\u05e4\u05d5\u05ea", - "ButtonRemove": "\u05d4\u05e1\u05e8", - "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", - "HeaderFeatureAccess": "\u05d2\u05d9\u05e9\u05d4 \u05dc\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd", "LabelImagesByNamePath": "\u05e0\u05ea\u05d9\u05d1 \u05ea\u05d9\u05e7\u05d9\u05d9\u05ea Images by name:", - "OptionRecordOnAllChannels": "Record on all channels", - "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.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "\u05d4\u05d5\u05e1\u05e3 \u05db\u05d5\u05ea\u05e8", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "\u05e0\u05ea\u05d9\u05d1 Metadata:", - "OptionRecordOnlyNewEpisodes": "\u05d4\u05e7\u05dc\u05d8 \u05e8\u05e7 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd", - "LabelEnableDlnaPlayTo": "\u05de\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d2\u05d5\u05df DLNA \u05dc", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.", + "LabelTranscodingTempPath": "\u05e0\u05ea\u05d9\u05d1 \u05dc\u05e7\u05d9\u05d3\u05d5\u05d3 \u05d6\u05de\u05e0\u05d9:", + "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": "\u05db\u05dc\u05dc\u05d9", + "TabTV": "TV", + "TabGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd", + "TabMusic": "\u05de\u05d5\u05e1\u05d9\u05e7\u05d4", + "TabOthers": "\u05d0\u05d7\u05e8\u05d9\u05dd", + "HeaderExtractChapterImagesFor": "\u05d7\u05dc\u05e5 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd \u05dc:", + "OptionMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", + "OptionEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", + "OptionOtherVideos": "\u05e7\u05d8\u05e2\u05d9 \u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5 \u05d0\u05d7\u05e8\u05d9\u05dd", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Enable automatic updates", + "LabelAutomaticUpdatesTmdb": "\u05d0\u05e4\u05e9\u05e8 \u05e2\u05d3\u05db\u05d5\u05e0\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05dd \u05de- TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "\u05d0\u05e4\u05e9\u05e8 \u05e2\u05d9\u05d3\u05db\u05d5\u05e0\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05dd \u05de- TVDB.com", + "LabelAutomaticUpdatesFanartHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- fanart.tv. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", + "LabelAutomaticUpdatesTmdbHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- TheMovieDB.org. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", + "LabelAutomaticUpdatesTvdbHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- TVDB.com. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelMetadataDownloadLanguage": "\u05e9\u05e4\u05ea \u05d4\u05d5\u05e8\u05d3\u05d4 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", + "ButtonAutoScroll": "\u05d2\u05dc\u05d9\u05dc\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea", + "LabelImageSavingConvention": "\u05e9\u05d9\u05d8\u05ea \u05e9\u05de\u05d9\u05e8\u05ea \u05ea\u05de\u05d5\u05e0\u05d4:", + "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "\u05d4\u05d9\u05db\u05e0\u05e1", + "TitleSignIn": "\u05d4\u05d9\u05db\u05e0\u05e1", + "HeaderPleaseSignIn": "\u05d0\u05e0\u05d0 \u05d4\u05d9\u05db\u05e0\u05e1", + "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.", + "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": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "\u05d4\u05e7\u05dc\u05d8 \u05e8\u05e7 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "\u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "\u05e0\u05ea\u05d9\u05d1 \u05dc\u05e7\u05d9\u05d3\u05d5\u05d3 \u05d6\u05de\u05e0\u05d9:", - "HeaderActiveRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea", "LabelEnableDlnaDebugLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d4\u05d5\u05dc \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1DLNA", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea", "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.", - "TabBasics": "\u05db\u05dc\u05dc\u05d9", - "HeaderAllRecordings": "\u05db\u05dc \u05d4\u05d4\u05e7\u05dc\u05d8\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)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "\u05e0\u05d2\u05df", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd", - "LabelStatus": "Status:", - "ButtonEdit": "\u05e2\u05e8\u05d5\u05da", "HeaderCustomDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd \u05de\u05d5\u05ea\u05d0\u05de\u05d9\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea", - "TabMusic": "\u05de\u05d5\u05e1\u05d9\u05e7\u05d4", - "LabelVersion": "Version:", - "ButtonRecord": "\u05d4\u05e7\u05dc\u05d8", "HeaderSystemDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea", - "TabOthers": "\u05d0\u05d7\u05e8\u05d9\u05dd", - "LabelLastResult": "Last result:", - "ButtonDelete": "\u05de\u05d7\u05e7", "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", - "HeaderExtractChapterImagesFor": "\u05d7\u05dc\u05e5 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd \u05dc:", - "OptionRecordSeries": "\u05d4\u05dc\u05e7\u05d8 \u05e1\u05d3\u05e8\u05d5\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.", - "OptionMovies": "\u05e1\u05e8\u05d8\u05d9\u05dd", - "HeaderDetails": "\u05e4\u05e8\u05d8\u05d9\u05dd", "TitleDashboard": "\u05dc\u05d5\u05d7 \u05d1\u05e7\u05e8\u05d4", - "OptionEpisodes": "\u05e4\u05e8\u05e7\u05d9\u05dd", "TabHome": "\u05d1\u05d9\u05ea", - "OptionOtherVideos": "\u05e7\u05d8\u05e2\u05d9 \u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5 \u05d0\u05d7\u05e8\u05d9\u05dd", "TabInfo": "\u05de\u05d9\u05d3\u05e2", - "TitleMetadata": "Metadata", "HeaderLinks": "\u05dc\u05d9\u05e0\u05e7\u05d9\u05dd", "HeaderSystemPaths": "\u05e0\u05ea\u05d9\u05d1\u05d9 \u05de\u05e2\u05e8\u05db\u05ea", - "LabelAutomaticUpdatesTmdb": "\u05d0\u05e4\u05e9\u05e8 \u05e2\u05d3\u05db\u05d5\u05e0\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05dd \u05de- TheMovieDB.org", "LinkCommunity": "\u05e7\u05d4\u05d9\u05dc\u05d4", - "LabelAutomaticUpdatesTvdb": "\u05d0\u05e4\u05e9\u05e8 \u05e2\u05d9\u05d3\u05db\u05d5\u05e0\u05d9\u05dd \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05dd \u05de- TVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- fanart.tv. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", + "LinkApi": "Api", "LinkApiDocumentation": "\u05de\u05e1\u05de\u05db\u05d9 \u05e2\u05e8\u05db\u05ea \u05e4\u05d9\u05ea\u05d5\u05d7", - "LabelAutomaticUpdatesTmdbHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- TheMovieDB.org. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", "LabelFriendlyServerName": "\u05e9\u05dd \u05e9\u05e8\u05ea \u05d9\u05d3\u05d9\u05d3\u05d5\u05ea\u05d9:", - "LabelAutomaticUpdatesTvdbHelp": "\u05d0\u05dd \u05de\u05d5\u05e4\u05e2\u05dc, \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05d9\u05e8\u05d3\u05d5 \u05d1\u05e6\u05d5\u05e8\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea \u05db\u05d0\u05e9\u05e8 \u05d4\u05df \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc- TVDB.com. \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea \u05dc\u05d0 \u05d9\u05d5\u05d7\u05dc\u05e4\u05d5.", - "OptionFolderSort": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea", "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.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "\u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "\u05e9\u05e4\u05ea \u05d4\u05d5\u05e8\u05d3\u05d4 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea:", - "TitleLiveTV": "\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "\u05d2\u05dc\u05d9\u05dc\u05d4 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9\u05ea", - "LabelNumberOfGuideDays": "\u05de\u05e1\u05e4\u05e8 \u05d9\u05de\u05d9 \u05dc\u05d5\u05d7 \u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4", "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", + "ButtonSubmit": "Submit", + "ButtonCreate": "\u05e6\u05d5\u05e8", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "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": "Support the Emby Team", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "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", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "\u05d4\u05ea\u05d7\u05dc \u05de\u05d7\u05d3\u05e9 \u05db\u05e2\u05d8", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05e0\u05d4 \u05d4\u05d5\u05ea\u05e7\u05df", "ButtonRestart": "\u05d4\u05ea\u05d7\u05e8 \u05de\u05d7\u05d3\u05e9", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df", "ButtonShutdown": "\u05db\u05d1\u05d4", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df", "ButtonUpdateNow": "\u05e2\u05d3\u05db\u05df \u05e2\u05db\u05e9\u05d9\u05d5", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05e1\u05e8", + "TabHosting": "Hosting", "PleaseUpdateManually": "\u05d0\u05e0\u05d0, \u05db\u05d1\u05d4 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05d5\u05e2\u05d3\u05db\u05df \u05d9\u05d3\u05e0\u05d9\u05ea.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "\u05de\u05e9\u05d9\u05de\u05d4 \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05ea \u05e0\u05db\u05e9\u05dc\u05d4", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "\u05d4\u05ea\u05e7\u05e0\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4", "ServerUpToDate": "Emby Server is up to date", + "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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": "Allows UPnP devices on your network to browse and play Emby content.", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", + "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", - "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:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "\u05db\u05d5\u05ea\u05e8\u05ea \u05d4\u05d5\u05d3\u05e2\u05d4:", - "ButtonNext": "Next", - "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.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05e6\u05d5\u05d2\u05d4", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "\u05e0\u05d2\u05df \u05d1", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "\u05d0\u05e4\u05e9\u05e8 \u05e9\u05e8\u05ea Dina", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "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.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "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)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "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.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "\u05de\u05e9\u05ea\u05de\u05e9 \u05d1\u05e8\u05d9\u05e8\u05ea \u05de\u05d7\u05d3\u05e9:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "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.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "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", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d9\u05e9\u05df", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d7\u05d3\u05e9", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "\u05db\u05dc \u05d4\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "\u05de\u05e0\u05d4\u05dc\u05d9\u05dd", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "\u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "\u05de\u05e7\u05d5\u05dd \u05d4\u05e6\u05d2\u05ea \u05de\u05d6\u05d2 \u05d4\u05d0\u05d5\u05d5\u05d9\u05e8:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "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", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "\u05d9\u05d7\u05d9\u05d3\u05d5\u05ea \u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "\u05e6\u05dc\u05d6\u05d9\u05d5\u05e1", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "\u05e4\u05e8\u05e0\u05d4\u05d9\u05d9\u05d8", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "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:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "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.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "\u05ea\u05d5\u05db\u05e0\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05ea", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d5\u05ea \u05dc\u05e0\u05d9\u05d9\u05d3", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e9\u05e8\u05ea", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "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", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "\u05d7\u05d9\u05e4\u05d5\u05e9", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "\u05e9\u05dd \u05dc\u05ea\u05e7\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4 \u05d0\u05e4\u05e1", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e7\u05d5\u05d1\u05e5 \u05e4\u05e8\u05e7", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd \u05de\u05e8\u05d5\u05d1\u05d9\u05dd", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "\u05ea\u05d1\u05e0\u05d9\u05d5\u05ea \u05e0\u05ea\u05de\u05db\u05d5\u05ea", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "\u05ea\u05e0\u05d0\u05d9", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "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", - "HeaderResult": "\u05ea\u05d5\u05e6\u05d0\u05d4", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "\u05d0\u05e4\u05e9\u05e8 \u05d4\u05ea\u05e8\u05d0\u05d4 \u05d6\u05d5", - "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", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "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.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "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:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "\u05d4\u05e4\u05e8\u05d3 \u05e2\u05dd ;. \u05dc\u05d3\u05d5\u05de\u05d2\u05d0: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "\u05db\u05ea\u05d5\u05d1 \u05de\u05d7\u05d3\u05e9 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e7\u05d9\u05d9\u05de\u05d9\u05dd", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "\u05e9\u05d9\u05d8\u05ea \u05d4\u05e2\u05d1\u05e8\u05d4", "LabelPlayers": "Players:", - "OptionCopy": "\u05d4\u05e2\u05ea\u05e7", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "\u05ea\u05d5\u05db\u05df \u05d7\u05d3\u05e9 \u05e0\u05d5\u05e1\u05e3", - "OptionMove": "\u05d4\u05e2\u05d1\u05e8", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "\u05e0\u05d3\u05e8\u05e9\u05ea \u05d4\u05e4\u05e2\u05dc\u05d4 \u05de\u05d7\u05d3\u05e9 \u05e9\u05dc \u05d4\u05e9\u05e8\u05ea", - "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", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "\u05e2\u05e7\u05d5\u05d1 \u05d0\u05d7\u05e8 \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea \u05de:", - "HeaderLatestNews": "\u05d7\u05d3\u05e9\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "\u05e9\u05dc\u05d7 \u05d0\u05ea \u05d4\u05d4\u05ea\u05e8\u05d0\u05d4 \u05dc:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "\u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05e8\u05e6\u05d5\u05ea", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "\u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "\u05d4\u05ea\u05e7\u05e0\u05d5\u05ea \u05d1\u05d4\u05de\u05ea\u05e0\u05d4", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d4\u05d1\u05d0\u05d9\u05dd:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05de\u05d4 \u05e7\u05d9\u05d9\u05dd", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 70c094d61b..3fb9d69777 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/hr.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/hr.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "Nova kolekcija", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Automatski", - "ButtonCreate": "Kreiraj", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "TV u\u017eivo usluga je obavezna ako \u017eelite nastaviti.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Molimo instalirajte jedan od dostupnih dodataka, kaoo \u0161to su Next Pvr ili ServerWmc.", - "LabelWebSocketPortNumber": "Port Web priklju\u010dka:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Sli\u010dica", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Meni", - "TabResume": "Nastavi", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Vrijeme", - "OptionDownloadBoxImage": "Kutija", - "TitleAppSettings": "Postavke aplikacije", - "ButtonDeleteImage": "Izbri\u0161i sliku", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Minimalni postotak za nastavak:", - "ButtonUpload": "Dostavi", - "OptionDownloadBannerImage": "Zaglavlje", - "LabelMaxResumePercentage": "Maksimalni postotak za nastavak:", - "HeaderUploadNewImage": "Dostavi novu sliku", - "OptionDownloadBackImage": "Druga str.", - "LabelMinResumeDuration": "Minimalno trajanje za nastavak (sekunda):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Ubaci sliku ovdje", - "OptionDownloadArtImage": "Grafike", - "LabelMinResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao ne reproducirani ako se zaustave prije ovog vremena", - "ImageUploadAspectRatioHelp": "1:1 Omjer, preporu\u010damo. Samo JPG\/PNG.", - "OptionDownloadPrimaryImage": "Primarno", - "LabelMaxResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao pogledani ako budu zaustavljeni nakon ovog vremena", - "MessageNothingHere": "Ni\u0161ta ovdje.", - "HeaderFetchImages": "Dohvati slike:", - "LabelMinResumeDurationHelp": "Naslovi kra\u0107i od ovog ne\u0107e imati mogu\u0107nost nastavka", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Molimo provjerite da je preuzimanje metadata sa interneta omogu\u0107eno.", - "HeaderImageSettings": "Postavke slike", - "TabSuggested": "Preporu\u010deno", - "LabelMaxBackdropsPerItem": "Maksimalni broj pozadina po stavci:", - "TabLatest": "Zadnje", - "LabelMaxScreenshotsPerItem": "Maksimalni broj isje\u010daka po stavci:", - "TabUpcoming": "Uskoro", - "LabelMinBackdropDownloadWidth": "Minimalna \u0161irina pozadine za preuzimanje:", - "TabShows": "Emisije", - "LabelMinScreenshotDownloadWidth": "Minimalna \u0161irina isje\u010dka za preuzimanje:", - "TabEpisodes": "Epizode", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u017danrovi", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Ljudi", - "ButtonAdd": "Dodaj", - "TabNetworks": "Mre\u017ee", - "LabelTriggerType": "Tip pokreta\u010da:", - "OptionDaily": "Dnevno", - "OptionWeekly": "Tjedno", - "OptionOnInterval": "U intervalu", - "OptionOnAppStartup": "Kada se aplikacija pokrene", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "Nakon doga\u0111aja u sistemu", - "LabelDay": "Dan:", - "LabelTime": "Vrijeme:", - "OptionRelease": "Slu\u017ebeno izdanje", - "LabelEvent": "Doga\u0111aj:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Pokreni iz stanja mirovanja", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (nestabilno)", - "LabelEveryXMinutes": "Svaki:", - "HeaderTvTuners": "TV ure\u0111aji", - "CategorySync": "Sync", - "HeaderGallery": "Galerija", - "HeaderLatestGames": "Zadnje igrice", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Izlaz", + "LabelVisitCommunity": "Posjeti zajednicu", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Medijska mapa", - "HeaderThemeVideos": "Tema Videa", - "HeaderThemeSongs": "Pjesme tema", - "HeaderScenes": "Scene", - "HeaderAwardsAndReviews": "Nagrade i recenzije", - "HeaderSoundtracks": "Filmska glazba", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Muzi\u010dki spotovi", - "HeaderSpecialFeatures": "Specijalne zna\u010dajke", + "LabelBrowseLibrary": "Pregledaj biblioteku", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Otvori preglednik bibilioteke", + "LabelRestartServer": "Restartiraj Server", + "LabelShowLogWindow": "Prika\u017ei Log Zapis", + "LabelPrevious": "Prethodni", + "LabelFinish": "Kraj", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Sljede\u0107i", + "LabelYoureDone": "Zavr\u0161eno!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "Ovaj pomo\u0107nik \u0107e Vas voditi kroz proces pode\u0161avanja. Za po\u010detak, odaberite \u017eeljeni jezik.", + "TellUsAboutYourself": "Recite nam ne\u0161to o sebi", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Ime:", + "MoreUsersCanBeAddedLater": "Vi\u0161e korisnika mo\u017eete dodati naknadno preko nadzorne plo\u010de.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows servis", + "AWindowsServiceHasBeenInstalled": "Windows servis je instaliran.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Ako koristite windows servis uslugu, imajte na umu da nemo\u017ee raditi u isto vrijeme kad i aplikacija na alatnoj traci. Stoga morate ugasiti aplikaciju na altanoj traci da bi mogli pokrenuti servis. Servis \u0107e te morati postaviti sa administrativnim dopu\u0161tenjima preko windows upravlja\u010dke plo\u010de. Tako\u0111er imajte na umu da se u ovom trenutku servis nemo\u017ee automatizirano nadograditi, ve\u0107 je za nove verzije potrebna interakcija korisnika.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Konfiguracija postavki", + "LabelEnableVideoImageExtraction": "Omogu\u0107i preuzimanje slika iz videa", + "VideoImageExtractionHelp": "Za videa koja jo\u0161 nemaju slike, i za koja nismo uspijeli na\u0107i slike na internetu ovo \u0107e dodati jo\u0161 malo vremena na po\u010detno skeniranje biblioteke ali \u0107e biti ugodnija prezentacija naslova.", + "LabelEnableChapterImageExtractionForMovies": "Izvuci slike poglavlja za Filmove", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Omogu\u0107i automatsko mapiranje porta", + "LabelEnableAutomaticPortMappingHelp": "UPnP omogu\u0107uje automatsku konfiguraciju usmjeriva\u010da (router \/ modem) za lak\u0161i pristup na daljinu. Ovo mo\u017eda ne\u0107e raditi sa nekim modelima usmjeriva\u010da.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Glumci i ekipa", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Dodatni djelovi", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Razdvoji verzije", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Nedostaje", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Nedostupno", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "Od", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "Za", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "Od:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Primjer: D:\\Filmovi (na serveru)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "Za:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Odustani", + "ButtonExit": "Exit", + "ButtonNew": "Novo", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Primjer: \\\\MojServer\\Filmovi (putanja kojoj kljent mo\u017ee pristupiti)", - "ButtonAddPathSubstitution": "Dodaj zamjenu", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specijal", - "OptionMissingEpisode": "Epizode koje nedostaju", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Ne emitirane epizode", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Slo\u017ei epizode po", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Nazivu serijala", - "TabNotifications": "Obavijesti", - "OptionTvdbRating": "Ocjeni Tvdb", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Postavke kvalitete konverzije:", - "OptionAutomaticTranscodingHelp": "Server \u0107e odlu\u010diti o kvaliteti i brzini", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Slabija kvaliteta, ali br\u017ea konverzija", - "OptionHighQualityTranscodingHelp": "Bolja kvaliteta, ali sporija konverzija", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Najbolja kvaliteta sa sporom konverzijom i velikim optere\u0107enjem za procesor", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Ve\u0107a brzina", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Ve\u0107a kvaliteta", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Maksimalna kvaliteta", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Omogu\u0107i logiranje pogre\u0161aka prilikom konverzije", + "HeaderSetupLibrary": "Postavi svoju medijsku biblioteku", + "ButtonAddMediaFolder": "Dodaj mapu sa medijem", + "LabelFolderType": "Tip mape:", + "ReferToMediaLibraryWiki": "Informirajte se o medijskoj bibilioteci wiki", + "LabelCountry": "Zemlja:", + "LabelLanguage": "Jezik:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u017deljeni metadata jezik:", + "LabelSaveLocalMetadata": "Snimi ilustracije i metadata u medijske mape", + "LabelSaveLocalMetadataHelp": "Snimljene ilustracije i metadata u medijskim mapama \u0107e biti postavljene na lokaciju gdje \u0107e se mo\u0107i jednostavno mjenjati.", + "LabelDownloadInternetMetadata": "Preuzmi ilustracije i metadata (opise) sa interneta", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Postavke", + "TabPassword": "Lozinka", + "TabLibraryAccess": "Pristup biblioteci", + "TabAccess": "Access", + "TabImage": "Slika", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Slike", + "TabNotifications": "Obavijesti", + "TabCollectionTitles": "Naslovi", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Prika\u017ei epizode koje nedostaju unutar sezone", + "LabelUnairedMissingEpisodesWithinSeasons": "Prika\u017ei epizode koje nisu emitirane unutar sezone", + "HeaderVideoPlaybackSettings": "Postavke video reprodukcije", + "HeaderPlaybackSettings": "Postavke reprodukcije", + "LabelAudioLanguagePreference": "Postavke audio jezika:", + "LabelSubtitleLanguagePreference": "Jezik prijevoda:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema sa konverzijom.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Korisnici", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filteri:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Nema titlova", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favoriti", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Volim", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Nevolim", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profili", + "TabSecurity": "Sigurnost", + "ButtonAddUser": "Dodaj korisnika", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Snimi", + "ButtonResetPassword": "Resetiraj lozinku", + "LabelNewPassword": "Nova lozinka:", + "LabelNewPasswordConfirm": "Potvrda nove lozinke:", + "HeaderCreatePassword": "Kreiraj lozinku", + "LabelCurrentPassword": "Sada\u0161nja lozinka:", + "LabelMaxParentalRating": "Najve\u0107a dopu\u0161tena roditeljska ocjena:", + "MaxParentalRatingHelp": "Sadr\u017eaj sa vi\u0161om ocjenom \u0107e biti skriven od ovog korisnika.", + "LibraryAccessHelp": "Odaberite medijske mape za djeljenje sa ovim korisnikom. Administratori \u0107e mo\u0107i mjenjati sve mape preko Metadata menad\u017eera.", + "ChannelAccessHelp": "Odaberite kanale za dijeljenje sa ovim korisnikom. Administratori \u0107e mo\u0107i mijenjati sve kanale koriste\u0107i metadata menad\u017eer.", + "ButtonDeleteImage": "Izbri\u0161i sliku", + "LabelSelectUsers": "Odaberite korisnika:", + "ButtonUpload": "Dostavi", + "HeaderUploadNewImage": "Dostavi novu sliku", + "LabelDropImageHere": "Ubaci sliku ovdje", + "ImageUploadAspectRatioHelp": "1:1 Omjer, preporu\u010damo. Samo JPG\/PNG.", + "MessageNothingHere": "Ni\u0161ta ovdje.", + "MessagePleaseEnsureInternetMetadata": "Molimo provjerite da je preuzimanje metadata sa interneta omogu\u0107eno.", + "TabSuggested": "Preporu\u010deno", + "TabSuggestions": "Suggestions", + "TabLatest": "Zadnje", + "TabUpcoming": "Uskoro", + "TabShows": "Emisije", + "TabEpisodes": "Epizode", + "TabGenres": "\u017danrovi", + "TabPeople": "Ljudi", + "TabNetworks": "Mre\u017ee", + "HeaderUsers": "Korisnici", + "HeaderFilters": "Filteri:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favoriti", + "OptionLikes": "Volim", + "OptionDislikes": "Nevolim", "OptionActors": "Glumci", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Gostu\u0107e zvjezde", - "HeaderCredits": "Credits", "OptionDirectors": "Redatelji", - "TabCollections": "Collections", "OptionWriters": "Pisci", - "TabFavorites": "Favorites", "OptionProducers": "Producenti", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Nastavi", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Sljede\u0107e je", "NoNextUpItemsMessage": "Nije prona\u0111eno. Krenite sa gledanjem va\u0161e emisije!", "HeaderLatestEpisodes": "Zadnje epizode", @@ -219,42 +200,32 @@ "TabMusicVideos": "Muzi\u010dki spotovi", "ButtonSort": "Slo\u017ei", "HeaderSortBy": "Slo\u017ei po:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Redosljed slaganja:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Izvo\u0111eni", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Neizvo\u0111eni", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Uzlazno", "OptionDescending": "Silazno", "OptionRuntime": "Trajanje", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Broju izvo\u0111enja", "OptionDatePlayed": "Datumu izvo\u0111enja", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Datumu dodavanja", - "HeaderTV": "TV", "OptionAlbumArtist": "Albumu izvo\u0111a\u010da", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Izvo\u0111a\u010du", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Albumu", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Nazivu pjesme", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Odaberite korisnika:", "OptionCommunityRating": "Ocjeni zajednice", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Nazivu", + "OptionFolderSort": "Mape", "OptionBudget": "Bud\u017eet", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Prihod", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Pozadina", "OptionTimeline": "Vremenska linija", + "OptionThumb": "Sli\u010dica", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Zaglavlje", "OptionCriticRating": "Ocjeni kritike", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Nastavi", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Raspored zadataka", "TabMyPlugins": "Moji dodaci", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Ovaj pomo\u0107nik \u0107e Vas voditi kroz proces pode\u0161avanja. Za po\u010detak, odaberite \u017eeljeni jezik.", - "TellUsAboutYourself": "Recite nam ne\u0161to o sebi", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatske nadogradnje", - "LabelYourFirstName": "Ime:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "Vi\u0161e korisnika mo\u017eete dodati naknadno preko nadzorne plo\u010de.", "HeaderNowPlaying": "Sad se izvodi", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Zadnji albumi", - "LabelWindowsService": "Windows servis", "HeaderLatestSongs": "Zadnje pjesme", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Windows servis je instaliran.", "HeaderRecentlyPlayed": "Zadnje izvo\u0111eno", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "\u010cesto izvo\u0111eno", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "Ako koristite windows servis uslugu, imajte na umu da nemo\u017ee raditi u isto vrijeme kad i aplikacija na alatnoj traci. Stoga morate ugasiti aplikaciju na altanoj traci da bi mogli pokrenuti servis. Servis \u0107e te morati postaviti sa administrativnim dopu\u0161tenjima preko windows upravlja\u010dke plo\u010de. Tako\u0111er imajte na umu da se u ovom trenutku servis nemo\u017ee automatizirano nadograditi, ve\u0107 je za nove verzije potrebna interakcija korisnika.", "DevBuildWarning": "Dev distribucije su klimave. \u010cesto se izbacuju, a nisu ni testirane. Aplikacija se mo\u017ee sru\u0161iti i mogu otkazati sve funkcije.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Konfiguracija postavki", - "LabelEnableVideoImageExtraction": "Omogu\u0107i preuzimanje slika iz videa", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "Za videa koja jo\u0161 nemaju slike, i za koja nismo uspijeli na\u0107i slike na internetu ovo \u0107e dodati jo\u0161 malo vremena na po\u010detno skeniranje biblioteke ali \u0107e biti ugodnija prezentacija naslova.", - "LabelEnableChapterImageExtractionForMovies": "Izvuci slike poglavlja za Filmove", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Omogu\u0107i automatsko mapiranje porta", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP omogu\u0107uje automatsku konfiguraciju usmjeriva\u010da (router \/ modem) za lak\u0161i pristup na daljinu. Ovo mo\u017eda ne\u0107e raditi sa nekim modelima usmjeriva\u010da.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Odustani", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Postavi svoju medijsku biblioteku", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Dodaj mapu sa medijem", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Tip mape:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Informirajte se o medijskoj bibilioteci wiki", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Zemlja:", - "LabelLanguage": "Jezik:", - "HeaderPreferredMetadataLanguage": "\u017deljeni metadata jezik:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Snimi ilustracije i metadata u medijske mape", - "LabelSaveLocalMetadataHelp": "Snimljene ilustracije i metadata u medijskim mapama \u0107e biti postavljene na lokaciju gdje \u0107e se mo\u0107i jednostavno mjenjati.", - "LabelDownloadInternetMetadata": "Preuzmi ilustracije i metadata (opise) sa interneta", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Sli\u010dica", - "LabelExit": "Izlaz", - "OptionBanner": "Zaglavlje", - "LabelVisitCommunity": "Posjeti zajednicu", "LabelVideoType": "Tip Videa:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Pregledaj biblioteku", "LabelFeatures": "Mogu\u0107nosti:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Odaberite kanale za dijeljenje sa ovim korisnikom. Administratori \u0107e mo\u0107i mijenjati sve kanale koriste\u0107i metadata menad\u017eer.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Prijevodi", - "LabelOpenLibraryViewer": "Otvori preglednik bibilioteke", "OptionHasTrailer": "Kratki video", - "LabelRestartServer": "Restartiraj Server", "OptionHasThemeSong": "Pjesma teme", - "LabelShowLogWindow": "Prika\u017ei Log Zapis", "OptionHasThemeVideo": "Video teme", - "LabelPrevious": "Prethodni", "TabMovies": "Filmovi", - "LabelFinish": "Kraj", "TabStudios": "Studio", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Sljede\u0107i", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Zavr\u0161eno!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Zadnji Filmovi", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Zadnji trailersi", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Specijalne opcije", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb ocjena", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Roditeljska ocjena", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Datum premijere", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Osnovno", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Postavke reprodukcije", "TabAdvanced": "Napredno", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Nastavlja se", "OptionEnded": "Zavr\u0161eno", - "HeaderSync": "Sync", - "TabPreferences": "Postavke", "HeaderAirDays": "Dani emitiranja", - "OptionReleaseDate": "Release Date", - "TabPassword": "Lozinka", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Nedjelja", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Pristup biblioteci", - "TitleAutoOrganize": "Auto-Organiziraj", "OptionMonday": "Ponedjeljak", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Slika", - "TabActivityLog": "Zapisnik aktivnosti", "OptionTuesday": "Utorak", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "Ime", "OptionWednesday": "Srijeda", - "LabelDisplayMissingEpisodesWithinSeasons": "Prika\u017ei epizode koje nedostaju unutar sezone", - "HeaderDate": "Datum", "OptionThursday": "\u010cetvrtak", - "LabelUnairedMissingEpisodesWithinSeasons": "Prika\u017ei epizode koje nisu emitirane unutar sezone", - "HeaderSource": "Izvor", "OptionFriday": "Petak", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Postavke video reprodukcije", - "HeaderDestination": "Cilj", "OptionSaturday": "Subota", - "LabelAudioLanguagePreference": "Postavke audio jezika:", - "HeaderProgram": "Program", "HeaderManagement": "Upravljanje", - "OptionMissingTmdbId": "Nedostaje Tmdb Id", - "LabelSubtitleLanguagePreference": "Jezik prijevoda:", - "HeaderClients": "Kljenti", + "LabelManagement": "Management:", "OptionMissingImdbId": "Nedostaje IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Zavr\u0161eno", "OptionMissingTvdbId": "Nedostaje TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profili", "OptionMissingOverview": "Nedostaje pregled", + "OptionFileMetadataYearMismatch": "Nepravilna godina, Datoteke\/Metadata", + "TabGeneral": "Op\u0107e", + "TitleSupport": "Podr\u0161ka", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "O ovome...", + "TabSupporterKey": "Klju\u010d pobornika", + "TabBecomeSupporter": "Postani pobornik", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Pretra\u017ei bazu znanja", + "VisitTheCommunity": "Posjeti zajednicu", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Sakrij korisnika sa prozora prijave", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "Onemogu\u0107i ovog korisnika", + "OptionDisableUserHelp": "Ako je onemogu\u0107en server ne\u0107e dopustiti nikakve veze od ovog korisnika. Postoje\u0107e veze \u0107e odmah biti prekinute.", + "HeaderAdvancedControl": "Napredna kontrola", + "LabelName": "Ime:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Dopusti ovom korisniku da upravlja serverom", + "HeaderFeatureAccess": "Pristup opcijama", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Nedostaje Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Sigurnost", - "HeaderVideo": "Video", - "LabelSkipped": "Presko\u010deno", - "OptionFileMetadataYearMismatch": "Nepravilna godina, Datoteke\/Metadata", "ButtonSelect": "Odaberi", - "ButtonAddUser": "Dodaj korisnika", - "HeaderEpisodeOrganization": "Organizacija epizoda", - "TabGeneral": "Op\u0107e", "ButtonGroupVersions": "Verzija grupe", - "TabGuide": "Guide", - "ButtonSave": "Snimi", - "TitleSupport": "Podr\u0161ka", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Resetiraj lozinku", - "LabelSeasonNumber": "Broj sezone:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Molimo podr\u017eite i druge proizvode koje koristimo:", - "HeaderChannels": "Channels", - "LabelNewPassword": "Nova lozinka:", - "LabelEpisodeNumber": "Broj epizode:", - "TabAbout": "O ovome...", "VersionNumber": "Verzija {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "Potvrda nove lozinke:", - "LabelEndingEpisodeNumber": "Broj kraja epizode:", - "TabSupporterKey": "Klju\u010d pobornika", "TabPaths": "Putanja", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Kreiraj lozinku", - "LabelEndingEpisodeNumberHelp": "Potrebno samo za datoteke sa vi\u0161e epizoda", - "TabBecomeSupporter": "Postani pobornik", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Sada\u0161nja lozinka:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Konvertiranje", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Najve\u0107a dopu\u0161tena roditeljska ocjena:", - "LabelSupportAmount": "Iznos (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Napredno", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Sadr\u017eaj sa vi\u0161om ocjenom \u0107e biti skriven od ovog korisnika.", - "HeaderSupportTheTeamHelp": "Pomozi donacijom i osiguraj daljnji razvoj ovog projekta. Dio donacija \u0107e biti preusmjereni za ostale besplatne alate o kojima ovisimo.", - "SearchKnowledgeBase": "Pretra\u017ei bazu znanja", "LabelAutomaticUpdateLevel": "Razina automatske nadogradnje", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Odaberite medijske mape za djeljenje sa ovim korisnikom. Administratori \u0107e mo\u0107i mjenjati sve mape preko Metadata menad\u017eera.", - "ButtonEnterSupporterKey": "Unesi klju\u010d podr\u0161ke", - "VisitTheCommunity": "Posjeti zajednicu", + "OptionRelease": "Slu\u017ebeno izdanje", + "OptionBeta": "Beta", + "OptionDev": "Dev (nestabilno)", "LabelAllowServerAutoRestart": "Dopusti serveru da se automatski resetira kako bi proveo nadogradnje", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "Nema titlova", - "DonationNextStep": "Nakon zavr\u0161etka molimo da se vratite i unesete klju\u010d podr\u0161ke koji \u0107e te primiti na email.", "LabelAllowServerAutoRestartHelp": "Server \u0107e se resetirati dok je u statusu mirovanja, odnosno kada nema aktivnih korisnika.", - "LabelPostPaddingMinutes": "Dodatne minute za kraj", - "AutoOrganizeHelp": "Auto-Organizator nadgleda va\u0161u mapu za preuzimanja za nove datoteke i filmove te ih premje\u0161ta u mapu za medije.", "LabelEnableDebugLogging": "Omogu\u0107i logiranje gre\u0161aka", - "OptionPostPaddingRequired": "Dodatne minute za kraj su obvezne za snimanje.", - "AutoOrganizeTvHelp": "Organizator TV datoteka \u0107e samo dodati epizode za postoje\u0107e serije. Ne\u0107e napraviti mape za nove serije.", - "OptionHideUser": "Sakrij korisnika sa prozora prijave", "LabelRunServerAtStartup": "Pokreni server pri pokretanju ra\u010dunala", - "HeaderWhatsOnTV": "\u0160to je sad na TV-u", - "ButtonNew": "Novo", - "OptionEnableEpisodeOrganization": "Omogu\u0107i organizaciju novih epizoda", - "OptionDisableUser": "Onemogu\u0107i ovog korisnika", "LabelRunServerAtStartupHelp": "Ovo \u0107e pokrenuti aplikaciju na alatnoj traci prilikom startanja windowsa. Ako \u017eelite pokrenuti Media Browser kao uslugu servisa maknite kva\u010dicu i pokrenite servis iz windows kontrolne plo\u010de. Imajte na umu da nemo\u017eet imati pokrenuto oboje, stoga ugasite aplikaciju na alatnoj traci prije pokretanja servisa.", - "HeaderUpcomingTV": "Sljede\u0107e na TV-u", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Nadgledaj mapu:", - "OptionDisableUserHelp": "Ako je onemogu\u0107en server ne\u0107e dopustiti nikakve veze od ovog korisnika. Postoje\u0107e veze \u0107e odmah biti prekinute.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Slike", - "LabelWatchFolderHelp": "Server \u0107e pregledati ovu mapu prilikom izvr\u0161avanja zakazanog zadatka 'Organizacije novih medijskih datoteka'.", - "HeaderAdvancedControl": "Napredna kontrola", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Postavke", - "TabCollectionTitles": "Naslovi", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "Pregledaj zakazane zadatke", - "LabelName": "Ime:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Osvje\u017ei TV vodi\u010d", - "LabelMinFileSizeForOrganize": "Minimalna veli\u010dina datoteke (MB):", - "OptionAllowUserToManageServer": "Dopusti ovom korisniku da upravlja serverom", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Prioritet", - "ButtonRemove": "Ukloni", - "LabelMinFileSizeForOrganizeHelp": "Datoteke ispod ove veli\u010dine \u0107e biti ignorirane.", - "HeaderFeatureAccess": "Pristup opcijama", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Dodaj ili ukloni bilo koje filmove, serije, albume, knjige ili igrice koje \u017eeli\u0161 grupirati u ovu kolekciju.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Obrazac naziva mape - sezone:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Dodaj naslove", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Snimi samo nove epizode", - "LabelEnableDlnaPlayTo": "Omogu\u0107i DLNA izvo\u0111enje na", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Snimi samo nove epizode", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Automatski", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Aktivna snimanja", "LabelEnableDlnaDebugLogging": "Omogu\u0107i DLNA logiranje gre\u0161aka.", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Zadnje snimke", "LabelEnableDlnaDebugLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema.", - "TabBasics": "Basics", - "HeaderAllRecordings": "Sve snimke", "LabelEnableDlnaClientDiscoveryInterval": "Interval za otkrivanje kljenata (sekunde)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Pokreni", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Izmjeni", "HeaderCustomDlnaProfiles": "Prilago\u0111en profil", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Snimi", "HeaderSystemDlnaProfiles": "Sistemski profil", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Izbri\u0161i", "CustomDlnaProfilesHelp": "Kreiraj prilago\u0111eni profili za novi ure\u0111aj ili doradi neki od sistemskih profila.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Snimi serije", "SystemDlnaProfilesHelp": "Sistemski profili su samo za \u010ditanje. Bilo kakve izmjene na sistemskom profilu biti \u0107e snimljene kao novi prilago\u0111eni profil.", - "OptionMovies": "Movies", - "HeaderDetails": "Detalji", "TitleDashboard": "Nadzorna plo\u010da", - "OptionEpisodes": "Episodes", "TabHome": "Po\u010detna", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Poveznice", "HeaderSystemPaths": "Sistemska putanja", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Zajednica", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api dokumentacija", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Prijateljsko ime servera:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Mape", "LabelFriendlyServerNameHelp": "Ovo ime \u0107e se koristiti za identifikaciju servera. Ako ostavite prazno, ime ra\u010dunala \u0107e se koristi kao identifikator.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Pozadina", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Broj dana TV vodi\u010da za preuzet:", "LabelReadHowYouCanContribute": "Pro\u010ditajte kako mo\u017eete doprinjeti.", + "HeaderNewCollection": "Nova kolekcija", + "ButtonSubmit": "Submit", + "ButtonCreate": "Kreiraj", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "External WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Broj kraja epizode:", + "LabelEndingEpisodeNumberHelp": "Potrebno samo za datoteke sa vi\u0161e epizoda", + "HeaderSupportTheTeam": "Support the Emby Team", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Zadatci koji se izvode", + "HeaderActiveDevices": "Aktivni ure\u0111aji", + "HeaderPendingInstallations": "Instalacije u toku", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Ponovo pokreni sad", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Instalirano a\u017euriranje aplikacije", "ButtonRestart": "Ponovo pokreni", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Instalirano a\u017euriranje za dodatak", "ButtonShutdown": "Ugasi", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Dodatak instaliran", "ButtonUpdateNow": "A\u017euriraj sad", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Dodatak uklonjen", + "TabHosting": "Hosting", "PleaseUpdateManually": "Molimo ugasite server i a\u017eurirati ru\u010dno", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Zakazan zadatak nije izvr\u0161en", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Instalacija nije izvr\u0161ena", "ServerUpToDate": "Emby Server is up to date", + "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", + "MessageInvalidKey": "Klju\u010d podr\u0161ke nedostaje ili je neispravan.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", + "HeaderDisplaySettings": "Postavke prikaza", + "TabPlayTo": "Izvedi na", + "LabelEnableDlnaServer": "Omogu\u0107i Dlna server", + "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", + "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", - "LabelComponentsUpdated": "Sljede\u0107e komponente su instalirane ili a\u017eurirane.", + "CategoryApplication": "Aplikacija", + "CategoryPlugin": "Dodatak", "LabelMessageTitle": "Naslov poruke:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Molimo ponovo pokrenite server kako bi se zavr\u0161ila a\u017euriranja.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Odvojeno sa to\u010dka-zrezom. Ovo mo\u017ee ostaviti prazno kao bi bilo postavljeno za sve spremnike.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Profil odziva", "LabelType": "Tip:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Spremnik:", "LabelProfileVideoCodecs": "Video kodek:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio kodek:", "LabelProfileCodecs": "Kodeki:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Profil za direktnu reprodukciju", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Profil transkodiranja", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Profil kodeka", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Profil spremnika", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Glasno\u0107a gore", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Glasno\u0107a dolje", - "ButtonMute": "Bez zvuka", "OptionProfilePhoto": "Slika", "LabelUserLibrary": "Korisni\u010dka biblioteka:", "LabelUserLibraryHelp": "Odaberite koju korisni\u010dku biblioteku \u0107e te prikazati ure\u0111aju. Ostavite prazno ako \u017eelite preuzeti definirane postavke.", - "ButtonArrowUp": "Gore", "OptionPlainStorageFolders": "Prika\u017ei sve mape kako jednostavne mape za skladi\u0161tenje", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Dolje", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Ljevo", "OptionPlainVideoItems": "Prika\u017ei sav video kao jednostavne video stavke.", - "LabelAppName": "App name", - "ButtonArrowRight": "Desno", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Nazad", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Podr\u017eani tipovi medija:", - "ButtonPageUp": "Stranica gore", "TabIdentification": "Identifikacija", - "ButtonPageDown": "Stranica dolje", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direktna reprodukcija", - "PageAbbreviation": "PG", "TabContainers": "Spremnik", - "ButtonHome": "Po\u010detna", "TabCodecs": "Kodek", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Postavke", "TabResponses": "Odazivi", - "ButtonTakeScreenshot": "Dohvati zaslon", "HeaderProfileInformation": "Informacija profila", - "ButtonLetterUp": "Slovo gore", - "ButtonLetterDown": "Slovo dolje", "LabelEmbedAlbumArtDidl": "Ugradi grafike albuma u Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Neki ure\u0111aji podr\u017eavaju ovu metodu za prikaz grafike albuma. Drugi bi mogli imati problema sa ovom opcijom uklju\u010denom.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Sad se izvodi", "LabelAlbumArtPN": "Grafika albuma PN:", - "TabNavigation": "Navigacija", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Postavke prikaza", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Izvedi na", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Omogu\u0107i Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Objavi poruke dostupnosti", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Omogu\u0107i ovo ako server nije prikazan kao siguran za druge UPnP ure\u0111aje na mre\u017ei.", - "CategoryApplication": "Aplikacija", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Interval poruka dostupnosti (sekunde)", - "CategoryPlugin": "Dodatak", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Odre\u0111uje trajanje u sekundama izme\u0111u svake poruke dostupnosti servera.", - "NotificationOptionPluginError": "Dodatak otkazao", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Zadani korisnik:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "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.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Poja\u010daj zvuk kada radi\u0161 downmix:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Poja\u010daj zvuk kada radi\u0161 downmix. Postavi na 1 ako \u017eeli\u0161 zadr\u017eati orginalnu ja\u010dinu zvuka.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Stari klju\u010devi podr\u0161ke", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "Novi klju\u010devi podr\u0161ke", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Kontrole", - "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", - "MessageInvalidKey": "Klju\u010d podr\u0161ke nedostaje ili je neispravan.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "Svi korisnici", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administratori", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Prilago\u0111eno", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Lokacija prikaza vremena:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "Po\u0161tanski broj \/ Grad, Dr\u017eava", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Jedinica za prikaz temperature", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celzij", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Farenhajt", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Zahtjevaj ru\u010dni unos korisni\u010dkog imena za:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "Kada onemogu\u0107eni korisnici otvore prozor za prijavu sa vizualnim odabirom korisnika.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Druge aplikacije", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobilne aplikacije", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scene", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Titlovi", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Kolekcije", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pauza", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Postavke Servera", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Pretra\u017eite katalog dodataka kako bi instalirali dodatne servise za obavijesti.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Grupiraj filmove u kolekciju", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "Kada se prikazuje lista filmova, filmovi koji pripadaju kolekciji biti \u0107e prikazani kao jedna stavka.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Lista medija", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Specijalne opcije", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Tra\u017ei", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Obrazac naziva mape - Nulte sezone:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Obrazac naziva datoteke - Epizode", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Obrazac epizode", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Obrazac za vi\u0161e epizoda", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Prihvatljivi obrasci", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Pojam", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Obrazac", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Kliknite na obavijesti kako bi postavili opcije slanja.", - "HeaderResult": "Rezultat", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Omogu\u0107i ovu obavijest", - "LabelDeleteEmptyFolders": "Izbri\u0161i prazne mape nakon organizacije", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Omogu\u0107i ovo kako bi mapa za preuzimanje bila '\u010dista'.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Izbri\u0161i zaostale datoteke sa sljede\u0107im ekstenzijama:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Reprodukcija videa zapo\u010deta", - "LabelDeleteLeftOverFilesHelp": "Odvojite sa ;. Naprimjer: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Reprodukcija glazbe zapo\u010deta", - "OptionOverwriteExistingEpisodes": "Presnimi preko postoje\u0107ih epizoda", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Igrica pokrenuta", - "LabelTransferMethod": "Na\u010din prijenosa", "LabelPlayers": "Players:", - "OptionCopy": "Kopiraj", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "Novi sadr\u017eaj dodan", - "OptionMove": "Premjesti", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Potrebno ponovo pokretanje servera", - "LabelTransferMethodHelp": "Kopiraj ili premjesti datoteke iz mape koju ste postavili da se nadzire", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Obrazac nadzora aktivnosti:", - "HeaderLatestNews": "Zadnje vijesti", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Po\u0161aljite obavijesti na:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Zadatci koji se izvode", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Aktivni ure\u0111aji", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Instalacije u toku", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Koristite sljede\u0107e servise:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Dostupno a\u017euriranje aplikacije", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 3c4928e605..1396807c1d 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/it.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/it.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Benvenuto in Emby", - "LabelImageSavingConvention": "Convenzione per il salvataggio di immagini:", - "LabelNumberOfGuideDaysHelp": "Scaricando pi\u00f9 giorni si avr\u00e0 la possibilit\u00e0 di pianificare in anticipo pi\u00f9 programmi e vedere pi\u00f9 liste, ma il tempo di download si allungher\u00e0. 'Auto': MB sceglier\u00e0 automaticamente in base al numero di canali.", - "HeaderNewCollection": "Nuova collezione", - "LabelImageSavingConventionHelp": "Emby riconosce le immagini fornite dalle principali applicazioni di gestione di media. Scegliere il formato del download \u00e8 utile se usi anche altri prodotti", - "OptionImageSavingCompatible": "Compatibile - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Collegato a Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Automatico", - "ButtonCreate": "Crea", - "ButtonSignIn": "Accedi", - "LiveTvPluginRequired": "E' richiesto il servizio LIVE TV per continuare.", - "TitleSignIn": "Accedi", - "LiveTvPluginRequiredHelp": "Installa un plugin tra quelli disponibili, come Next Pvr o ServerWMC.", - "LabelWebSocketPortNumber": "Numero porta web socket:", - "ProjectHasCommunity": "Emby ha una ricca community di utilizzatori e collaboratori", - "HeaderPleaseSignIn": "Per favore accedi", - "LabelUser": "Utente:", - "LabelExternalDDNS": "Indirizzo WAN esterno", - "TabOther": "Altro", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Foto", - "LabelExternalDDNSHelp": "Se hai un DNS dinamico inserisci l'indirizzo qui. Le app di Emby lo utilizzeranno nelle connessioni remote. Lascia il campo vuoto per sfruttare la rilevazione automatica", - "VisitProjectWebsite": "Visita il sito di Emby", - "ButtonManualLogin": "Accesso Manuale", - "OptionDownloadMenuImage": "Men\u00f9", - "TabResume": "Riprendi", - "PasswordLocalhostMessage": "Le password non sono richieste quando viene eseguito l'accesso da questo pc.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Tempo", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "Impostazioni delle app", - "ButtonDeleteImage": "Elimina immagine", - "VisitProjectWebsiteLong": "Visita il sito web di Emby per tenerti aggiornato con le ultime novit\u00e0 e le notizie dal blog degli sviluppatori.", - "OptionDownloadDiscImage": "Disco", - "LabelMinResumePercentage": "Percentuale minima per il riprendi", - "ButtonUpload": "Carica", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Percentuale massima per il riprendi", - "HeaderUploadNewImage": "Carica nuova immagine", - "OptionDownloadBackImage": "Indietro", - "LabelMinResumeDuration": "Durata minima per il riprendi (secondi)", - "OptionHideWatchedContentFromLatestMedia": "Nasconde i contenuti visti dagli Ultimi Media", - "LabelDropImageHere": "Rilasciare l'immagine qui", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "I film Sono considerati non visti se fermati prima di questo tempo", - "ImageUploadAspectRatioHelp": "1:1 Rapporto dimensioni raccomandato. Solo JPG\/PNG.", - "OptionDownloadPrimaryImage": "Locandina", - "LabelMaxResumePercentageHelp": "I film sono considerati visti se fermati dopo questo tempo", - "MessageNothingHere": "Niente qui.", - "HeaderFetchImages": "Identifica Immagini:", - "LabelMinResumeDurationHelp": "I film pi\u00f9 corti non saranno riprendibili", - "TabSuggestions": "Suggerimenti", - "MessagePleaseEnsureInternetMetadata": "Assicurarsi che il download dei metadati internet sia abilitato.", - "HeaderImageSettings": "Impostazioni Immagini", - "TabSuggested": "Suggeriti", - "LabelMaxBackdropsPerItem": "Massimo numero di sfondi per oggetto:", - "TabLatest": "Novit\u00e0", - "LabelMaxScreenshotsPerItem": "Massimo numero di foto per oggetto:", - "TabUpcoming": "In Arrivo", - "LabelMinBackdropDownloadWidth": "Massima larghezza sfondo:", - "TabShows": "Spettacoli", - "LabelMinScreenshotDownloadWidth": "Minima larghezza foto:", - "TabEpisodes": "Episodi", - "ButtonAddScheduledTaskTrigger": "Aggiungi operazione", - "TabGenres": "Generi", - "HeaderAddScheduledTaskTrigger": "Aggiungi operazione", - "TabPeople": "Attori", - "ButtonAdd": "Aggiungi", - "TabNetworks": "Reti", - "LabelTriggerType": "Tipo Evento:", - "OptionDaily": "Giornaliero", - "OptionWeekly": "Settimanale", - "OptionOnInterval": "Su intervallo", - "OptionOnAppStartup": "All'avvio", - "ButtonHelp": "Aiuto", - "OptionAfterSystemEvent": "Dopo un evento di sistema", - "LabelDay": "Giorno:", - "LabelTime": "Ora:", - "OptionRelease": "Versione Ufficiale", - "LabelEvent": "Evento:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Risveglio:", - "ButtonInviteUser": "Invita un utente", - "OptionDev": "Dev (instabile)", - "LabelEveryXMinutes": "Tutti:", - "HeaderTvTuners": "Sintonizzatori Tv", - "CategorySync": "Sincronizza", - "HeaderGallery": "Galleria", - "HeaderLatestGames": "Ultimi giochi", - "RegisterWithPayPal": "Registrati con PayPal", - "HeaderRecentlyPlayedGames": "Ultimi giochi eseguiti", - "TabGameSystems": "Sistemi di gioco", - "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": "Players:", - "OptionAnyNumberOfPlayers": "Qualsiasi:", + "LabelExit": "Esci", + "LabelVisitCommunity": "Visita la Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Documentazione sulle Api", - "Option2Player": "2+", "LabelDeveloperResources": "Risorse per i programmatori", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Cartelle dei media", - "HeaderThemeVideos": "Tema dei video", - "HeaderThemeSongs": "Tema Canzoni", - "HeaderScenes": "Scene", - "HeaderAwardsAndReviews": "Premi e Recensioni", - "HeaderSoundtracks": "Colonne sonore", - "LabelManagement": "Gestione:", - "HeaderMusicVideos": "Video Musicali", - "HeaderSpecialFeatures": "Contenuti Speciali", + "LabelBrowseLibrary": "Esplora la libreria", + "LabelConfigureServer": "Configura Emby", + "LabelOpenLibraryViewer": "Apri visualizzatore libreria", + "LabelRestartServer": "Riavvia Server", + "LabelShowLogWindow": "Mostra finestra dei log", + "LabelPrevious": "Precedente", + "LabelFinish": "Finito", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Prossimo", + "LabelYoureDone": "Hai Finito!", + "WelcomeToProject": "Benvenuto in Emby", + "ThisWizardWillGuideYou": "Questa procedura ti guider\u00e0 durante il processo di installazione. Per cominciare, per favore seleziona la tua lingua preferita", + "TellUsAboutYourself": "Parlaci di te", + "ButtonQuickStartGuide": "Guida rapida", + "LabelYourFirstName": "Nome", + "MoreUsersCanBeAddedLater": "Puoi aggiungere altri utenti in un secondo momento all'interno del pannello di configurazione", + "UserProfilesIntro": "Emby include il supporto integrato per i profili utente, che permette ad ogni utente di avere le proprie impostazioni di visualizzazione, stato di riproduzione e parental control.", + "LabelWindowsService": "Servizio Windows", + "AWindowsServiceHasBeenInstalled": "Servizio Windows Installato", + "WindowsServiceIntro1": "Il Server Emby normalmente viene eseguito come un'applicazione del desktop con un'icona sulla barra in basso a destra, ma in alternativa, se si preferisce farlo funzionare come servizio in background, pu\u00f2 essere avviato dal pannello di controllo dei servizi di Windows.", + "WindowsServiceIntro2": "Se si utilizza il servizio di Windows, si ricorda che non pu\u00f2 essere eseguito allo stesso tempo con l'icona di sistema, quindi devi chiudere l'applicazione al fine di eseguire il servizio. Il servizio dovr\u00e0 anche essere configurato con privilegi amministrativi tramite il pannello di controllo. Si prega di notare che in questo momento il servizio non \u00e8 in grado di Autoaggiornarsi, quindi le nuove versioni richiedono l'interazione manuale", + "WizardCompleted": "Questo \u00e8 tutto ci\u00f2 che serve per ora. Emby ha iniziato a raccogliere informazioni sulla tua libreria di file multimediali. Scopri alcune delle nostre app, quindi clicca su Fine<\/b> per visualizzare il Pannello di controllo del server<\/b>", + "LabelConfigureSettings": "Configura le impostazioni", + "LabelEnableVideoImageExtraction": "Abilita estrazione immagine video", + "VideoImageExtractionHelp": "Per i video che sono sprovvisti di immagini, e per i quali non siamo riusciti a trovare immagini su Internet. Questa opzione allungher\u00e0 il tempo di scansione della tua libreria ma si tradurr\u00e0 in una presentazione pi\u00f9 gradevole.", + "LabelEnableChapterImageExtractionForMovies": "Estrazione immagine del capitolo per i Film", + "LabelChapterImageExtractionForMoviesHelp": "L'estrazione delle immagini dai capitoli permetter\u00e0 ai client di avere un men\u00f9 grafico per la selezione delle scene. Il processo potrebbe essere lento, con uso intensivo della CPU e potrebbe richiedere diversi gigabyte di spazio. Viene avviato durante la notte, ad ogni modo \u00e8 configurabile nella sezione azioni pianificate. Non \u00e8 raccomandato l'avvio di questo processo durante le ore di massimo utilizzo.", + "LabelEnableAutomaticPortMapping": "Abilita mappatura automatica delle porte", + "LabelEnableAutomaticPortMappingHelp": "UPnP consente la configurazione automatica del router per facilitare l'accesso remoto. Questa opzione potrebbe non funzionare con alcuni modelli di router.", + "HeaderTermsOfService": "Termini di servizio di Emby", + "MessagePleaseAcceptTermsOfService": "Per favore accetta i termini di servizio e l'informativa sulla privacy prima di continuare.", + "OptionIAcceptTermsOfService": "Accetto i termini di servizio", + "ButtonPrivacyPolicy": "Informativa sulla privacy", + "ButtonTermsOfService": "Termini di Servizio", "HeaderDeveloperOptions": "Opzioni per il programmatore", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Porta HTTP locale", - "HeaderAdditionalParts": "Parti addizionali", "OptionEnableWebClientResponseCache": "Abilita il caching delle risposte del client", - "LabelLocalHttpServerPortNumberHelp": "Numero di porta TCP da associare al server http di Emby", - "ButtonSplitVersionsApart": "Separa Versioni", - "LabelSyncTempPath": "Percorso file temporanei:", "OptionDisableForDevelopmentHelp": "Configura questi parametri per sviluppatori del client web", - "LabelMissing": "Mancante", - "LabelSyncTempPathHelp": "Specifica una cartella per la sincronizzazione. I file multimediali convertiti durante la sincronizzazione verranno memorizzati qui.", - "LabelEnableAutomaticPortMap": "Abilita mappatura automatica delle porte", - "LabelOffline": "Spento", "OptionEnableWebClientResourceMinification": "Abilita la minimizzazione delle risorse del client web", - "LabelEnableAutomaticPortMapHelp": "Tenta di mappare automaticamente la porta pubblica sulla porta locale tramite UPnP. Questo potrebbe non funzionare con alcuni modelli di router.", - "PathSubstitutionHelp": "La sostituzione percorsi viene utilizzata per mappare un percorso sul server, su uno a cui i client sono in grado di accedere. Consentendo ai client l'accesso diretto ai media sul server possono essere in grado di riprodurli direttamente attraverso la rete ed evitare di utilizzare le risorse del server per lo streaming e la transcodifica.", - "LabelCustomCertificatePath": "Percorso certificati personalizzato:", - "HeaderFrom": "Da", "LabelDashboardSourcePath": "Percorso del codice sorgente del client web:", - "HeaderTo": "A", - "LabelCustomCertificatePathHelp": "Fornisci il tuo file .pfx certificato SSL. Se omesso, il server creer\u00e0 un certificato auto-firmato.", - "LabelFrom": "Da:", "LabelDashboardSourcePathHelp": "se si sta eseguendo il server da una sorgente, specifica il percorso dell'interfaccia. Tutti i file per i client saranno presi da questo percorso", - "LabelFromHelp": "Esempio: D:\\Films (sul server)", - "ButtonAddToCollection": "Aggiungi alla collezione", - "LabelTo": "A:", + "ButtonConvertMedia": "Converti media", + "ButtonOrganize": "Organizza", + "LinkedToEmbyConnect": "Collegato a Emby Connect", + "HeaderSupporterBenefits": "Benefici per il Supporter", + "HeaderAddUser": "Aggiungi utente", + "LabelAddConnectSupporterHelp": "Per aggiungere un utente non in lista, dovrai prima collegare il suo account a Emby Connect dalla pagina del suo profilo", + "LabelPinCode": "Codice Pin", + "OptionHideWatchedContentFromLatestMedia": "Nasconde i contenuti visti dagli Ultimi Media", + "HeaderSync": "Sincronizza", + "ButtonOk": "OK", + "ButtonCancel": "Annulla", + "ButtonExit": "Esci", + "ButtonNew": "Nuovo", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Percorsi", - "LabelToHelp": "Esempio: \\\\MyServer\\Films (Percorso a cui i client possono accedere)", - "ButtonAddPathSubstitution": "Aggiungi sostituzione", + "CategorySync": "Sincronizza", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Codice pin semplificato", + "HeaderGrownupsOnly": "Solo adulti", + "DividerOr": "-- o --", + "HeaderInstalledServices": "Servizi installati", + "HeaderAvailableServices": "Servizi disponibili", + "MessageNoServicesInstalled": "Nessun servizio attualmente installato", + "HeaderToAccessPleaseEnterEasyPinCode": "Per accedere per favore inserisci il tuo codice pin semplificato", + "KidsModeAdultInstruction": "Clicca sull'icona del lucchetto nell'angolo in basso a destra per configurare o abbandonare la modalit\u00e0 bambini. Verr\u00e0 richiesto il tuo codice pin", + "ButtonConfigurePinCode": "Configura codice pin", + "HeaderAdultsReadHere": "Adulti leggete qui!", + "RegisterWithPayPal": "Registrati con PayPal", + "HeaderSyncRequiresSupporterMembership": "La sincronizzazione richiede un'iscrizione come supporter", + "HeaderEnjoyDayTrial": "Goditi una prova gratuita per 14 giorni", + "LabelSyncTempPath": "Percorso file temporanei:", + "LabelSyncTempPathHelp": "Specifica una cartella per la sincronizzazione. I file multimediali convertiti durante la sincronizzazione verranno memorizzati qui.", + "LabelCustomCertificatePath": "Percorso certificati personalizzato:", + "LabelCustomCertificatePathHelp": "Fornisci il tuo file .pfx certificato SSL. Se omesso, il server creer\u00e0 un certificato auto-firmato.", "TitleNotifications": "Notifiche", - "OptionSpecialEpisode": "Speciali", - "OptionMissingEpisode": "Episodi mancanti", "ButtonDonateWithPayPal": "Effettua una donazione con PayPal", + "OptionDetectArchiveFilesAsMedia": "Considera gli archivi come file multimediali", + "OptionDetectArchiveFilesAsMediaHelp": "se attivato, i file con estensione .rar e .zip saranno considerati come file multimediali.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Abilita le visuali film migliorate", + "LabelEnableEnhancedMoviesHelp": "Quando abilitato, i film verranno mostrati come cartelle che includono i trailer, gli extra, il cast & crew, e altri contenuti correlati.", + "HeaderSyncJobInfo": "Attiv. di Sinc.", + "FolderTypeMovies": "Film", + "FolderTypeMusic": "Musica", + "FolderTypeAdultVideos": "Video per adulti", + "FolderTypePhotos": "Foto", + "FolderTypeMusicVideos": "Video musicali", + "FolderTypeHomeVideos": "Video personali", + "FolderTypeGames": "Giochi", + "FolderTypeBooks": "Libri", + "FolderTypeTvShows": "Tv", "FolderTypeInherit": "ereditare", - "OptionUnairedEpisode": "Episodi mai andati in onda", "LabelContentType": "Tipo di contenuto:", - "OptionEpisodeSortName": "Ordina episodi per nome", "TitleScheduledTasks": "Task pianificati", - "OptionSeriesSortName": "Nome Serie", - "TabNotifications": "Notifiche", - "OptionTvdbRating": "Voto Tvdb", - "LinkApi": "API", - "HeaderTranscodingQualityPreference": "Preferenze qualit\u00e0 trascodifica:", - "OptionAutomaticTranscodingHelp": "Il server decider\u00e0 qualit\u00e0 e velocit\u00e0", - "LabelPublicHttpPort": "Porta HTTP pubblica", - "OptionHighSpeedTranscodingHelp": "Bassa qualit\u00e0, ma pi\u00f9 velocit\u00e0 nella codifica", - "OptionHighQualityTranscodingHelp": "Alta qualit\u00e0, ma pi\u00f9 lentezza nella codifica", - "OptionPosterCard": "Scheda locandina", - "LabelPublicHttpPortHelp": "Numero di porta pubblica che dovrebbe essere mappato sulla porta HTTP locale.", - "OptionMaxQualityTranscodingHelp": "Migliore qualit\u00e0 con la codifica pi\u00f9 lenta e elevato utilizzo della CPU", - "OptionThumbCard": "carta Thumb", - "OptionHighSpeedTranscoding": "Maggiore velocit\u00e0", - "OptionAllowRemoteSharedDevices": "Consenti controllo remoto di dispositivi condivisi", - "LabelPublicHttpsPort": "Numero porta HTTP pubblica", - "OptionHighQualityTranscoding": "Maggiore qualit\u00e0", - "OptionAllowRemoteSharedDevicesHelp": "Dispositivi DLNA sono considerati condivisi fino a quando un utente non inizia a controllarli.", - "OptionMaxQualityTranscoding": "Massima qualit\u00e0", - "HeaderRemoteControl": "telecomando", - "LabelPublicHttpsPortHelp": "Numero della porta pubblica che dovrebbe essere mappato sulla porta HTTPS locale.", - "OptionEnableDebugTranscodingLogging": "Abilita la registrazione transcodifica di debug", + "HeaderSetupLibrary": "Configura la tua libreria di contenuti multimediali", + "ButtonAddMediaFolder": "Aggiungi cartella", + "LabelFolderType": "Tipo cartella", + "ReferToMediaLibraryWiki": "Fare riferimento alla wiki libreria multimediale.", + "LabelCountry": "Nazione:", + "LabelLanguage": "Lingua:", + "LabelTimeLimitHours": "Tempo limite (ore):", + "ButtonJoinTheDevelopmentTeam": "Unisciti al Team di Sviluppo", + "HeaderPreferredMetadataLanguage": "Lingua preferita per i metadati:", + "LabelSaveLocalMetadata": "Salva immagini e metadati nelle cartelle multimediali", + "LabelSaveLocalMetadataHelp": "Il salvataggio di immagini e metadati direttamente nelle cartelle multimediali consentir\u00e0 di tenerli in un posto dove possono essere facilmente modificati.", + "LabelDownloadInternetMetadata": "Scarica immagini e metadati da internet", + "LabelDownloadInternetMetadataHelp": "Il Server Emby pu\u00f2 scaricare informazioni sui tuoi media per ottenere presentazioni pi\u00f9 complete", + "TabPreferences": "Preferenze", + "TabPassword": "Password", + "TabLibraryAccess": "Accesso alla libreria", + "TabAccess": "Accesso", + "TabImage": "Immagine", + "TabProfile": "Profilo", + "TabMetadata": "Metadati", + "TabImages": "Immagini", + "TabNotifications": "Notifiche", + "TabCollectionTitles": "Titolo", + "HeaderDeviceAccess": "Accesso al dispositivo", + "OptionEnableAccessFromAllDevices": "Abilitare l'accesso da tutti i dispositivi", + "OptionEnableAccessToAllChannels": "Abilita l'accesso a tutti i canali", + "OptionEnableAccessToAllLibraries": "Abilita l'accesso a tutte le librerie", + "DeviceAccessHelp": "Questo vale solo per i dispositivi che possono essere identificati in modo univoco e non impedire l'accesso del browser. Filtraggio di accesso al dispositivo dell'utente impedir\u00e0 loro di usare nuovi dispositivi fino a quando non sono state approvate qui.", + "LabelDisplayMissingEpisodesWithinSeasons": "Visualizza gli episodi mancanti nelle stagioni", + "LabelUnairedMissingEpisodesWithinSeasons": "Visualizzare episodi mai andati in onda all'interno stagioni", + "HeaderVideoPlaybackSettings": "Impostazioni per la riproduzione di video", + "HeaderPlaybackSettings": "Impostazioni per la riproduzione", + "LabelAudioLanguagePreference": "Preferenza per la lingua dell'audio:", + "LabelSubtitleLanguagePreference": "Preferenza per la lingua dei sottotitoli:", "OptionDefaultSubtitles": "Predefinito", - "OptionEnableDebugTranscodingLoggingHelp": "Questo creer\u00e0 file di log molto grandi ed \u00e8 consigliato solo se necessario per la risoluzione dei problemi.", - "LabelEnableHttps": "Riporta HTTPS come indirizzo esterno", - "HeaderUsers": "Utenti", "OptionOnlyForcedSubtitles": "Solo i sottotitoli forzati", - "HeaderFilters": "Filtri", "OptionAlwaysPlaySubtitles": "Visualizza sempre i sottotitoli", - "LabelEnableHttpsHelp": "se abilitato, il server riporter\u00e0 un url HTTPS ai client come il proprio indirizzo esterno.", - "ButtonFilter": "Filtro", + "OptionNoSubtitles": "Nessun Sottotitolo", "OptionDefaultSubtitlesHelp": "I sottotitoli corrispondenti alla lingua preferita saranno caricati quando l'audio \u00e8 in una lingua straniera.", - "OptionFavorite": "Preferiti", "OptionOnlyForcedSubtitlesHelp": "Solo i sottotitoli contrassegnati come forzati saranno caricati.", - "LabelHttpsPort": "Porta HTTPS locale", - "OptionLikes": "Belli", "OptionAlwaysPlaySubtitlesHelp": "I sottotitoli corrispondenti alla lingua preferita saranno caricati a prescindere dalla lingua dell'audio.", - "OptionDislikes": "Brutti", "OptionNoSubtitlesHelp": "I sottotitoli non verranno caricati di default.", - "LabelHttpsPortHelp": "Numero di porta TCP da associare al server https di Emby", + "TabProfiles": "Profili", + "TabSecurity": "Sicurezza", + "ButtonAddUser": "Aggiungi Utente", + "ButtonAddLocalUser": "Aggiungi Utente locale", + "ButtonInviteUser": "Invita un utente", + "ButtonSave": "Salva", + "ButtonResetPassword": "Ripristina Password", + "LabelNewPassword": "Nuova Password:", + "LabelNewPasswordConfirm": "Conferma Nuova Password:", + "HeaderCreatePassword": "Crea Password", + "LabelCurrentPassword": "Password Corrente:", + "LabelMaxParentalRating": "Massima valutazione dei genitori consentita:", + "MaxParentalRatingHelp": "Contenuto con un punteggio pi\u00f9 elevato sar\u00e0 nascosto per questo utente.", + "LibraryAccessHelp": "Selezionare le cartelle multimediali da condividere con questo utente. Gli amministratori saranno in grado di modificare tutte le cartelle utilizzando il gestore dei metadati.", + "ChannelAccessHelp": "Selezionare i canali da condividere con questo utente. Gli amministratori saranno in grado di modificare tutti i canali usando il gestore dei metadati", + "ButtonDeleteImage": "Elimina immagine", + "LabelSelectUsers": "Seleziona Utenti:", + "ButtonUpload": "Carica", + "HeaderUploadNewImage": "Carica nuova immagine", + "LabelDropImageHere": "Rilasciare l'immagine qui", + "ImageUploadAspectRatioHelp": "1:1 Rapporto dimensioni raccomandato. Solo JPG\/PNG.", + "MessageNothingHere": "Niente qui.", + "MessagePleaseEnsureInternetMetadata": "Assicurarsi che il download dei metadati internet sia abilitato.", + "TabSuggested": "Suggeriti", + "TabSuggestions": "Suggerimenti", + "TabLatest": "Novit\u00e0", + "TabUpcoming": "In Arrivo", + "TabShows": "Spettacoli", + "TabEpisodes": "Episodi", + "TabGenres": "Generi", + "TabPeople": "Attori", + "TabNetworks": "Reti", + "HeaderUsers": "Utenti", + "HeaderFilters": "Filtri", + "ButtonFilter": "Filtro", + "OptionFavorite": "Preferiti", + "OptionLikes": "Belli", + "OptionDislikes": "Brutti", "OptionActors": "Attori", - "TangibleSoftwareMessage": "Utilizza Tangible Solutions Java\/C# con una licenza su donazione.", "OptionGuestStars": "Personaggi Famosi", - "HeaderCredits": "Crediti", "OptionDirectors": "Registi", - "TabCollections": "Collezioni", "OptionWriters": "Sceneggiatori", - "TabFavorites": "Preferiti", "OptionProducers": "Produttori", - "TabMyLibrary": "Mia Libreria", - "HeaderServices": "Servizi", "HeaderResume": "Riprendi", - "LabelCustomizeOptionsPerMediaType": "Personalizza per il tipo di supporto:", "HeaderNextUp": "Prossimo", "NoNextUpItemsMessage": "Trovato niente. Inizia a guardare i tuoi programmi!", "HeaderLatestEpisodes": "Ultimi Episodi Aggiunti", @@ -219,42 +200,32 @@ "TabMusicVideos": "Video Musicali", "ButtonSort": "Ordina", "HeaderSortBy": "Ordina per:", - "OptionEnableAccessToAllChannels": "Abilita l'accesso a tutti i canali", "HeaderSortOrder": "Ordina per:", - "LabelAutomaticUpdates": "Abilita gli aggiornamenti automatici", "OptionPlayed": "Visto", - "LabelFanartApiKey": "Chiavi API personali", "OptionUnplayed": "Non visto", - "LabelFanartApiKeyHelp": "Le richieste di fanart effettuate senza una chiave API personale restituiranno risultati approvati pi\u00f9 di 7 giorni fa. Con una chiave API personale questo tempo scende a 48 ore, e se sei un membro VIP questo tempo scender\u00e0 ulteriormente a circa 10 minuti.", "OptionAscending": "Ascendente", "OptionDescending": "Discentente", "OptionRuntime": "Durata", + "OptionReleaseDate": "Data di rilascio", "OptionPlayCount": "Visto N\u00b0", "OptionDatePlayed": "Visto il", - "HeaderRepeatingOptions": "Opzioni di ripetizione", "OptionDateAdded": "Aggiunto il", - "HeaderTV": "TV", "OptionAlbumArtist": "Artista dell'album", - "HeaderTermsOfService": "Termini di servizio di Emby", - "LabelCustomCss": "CSS Personalizzato", - "OptionDetectArchiveFilesAsMedia": "Considera gli archivi come file multimediali", "OptionArtist": "Artista", - "MessagePleaseAcceptTermsOfService": "Per favore accetta i termini di servizio e l'informativa sulla privacy prima di continuare.", - "OptionDetectArchiveFilesAsMediaHelp": "se attivato, i file con estensione .rar e .zip saranno considerati come file multimediali.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Accetto i termini di servizio", - "LabelCustomCssHelp": "Applica il tuo CSS personale all'interfaccia web", "OptionTrackName": "Nome Brano", - "ButtonPrivacyPolicy": "Informativa sulla privacy", - "LabelSelectUsers": "Seleziona Utenti:", "OptionCommunityRating": "Voto del pubblico", - "ButtonTermsOfService": "Termini di Servizio", "OptionNameSort": "Nome", + "OptionFolderSort": "Cartelle", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Utile per account nascosti o amministratore. L'utente avr\u00e0 bisogno di accedere manualmente utilizzando la propria username e password", "OptionRevenue": "Recensione", "OptionPoster": "Locandina", + "OptionPosterCard": "Scheda locandina", + "OptionBackdrop": "Sfondo", "OptionTimeline": "Cronologia", + "OptionThumb": "Pollice", + "OptionThumbCard": "carta Thumb", + "OptionBanner": "Banner", "OptionCriticRating": "Voto della critica", "OptionVideoBitrate": "Bitrate Video", "OptionResumable": "Interrotti", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Operazioni Pianificate", "TabMyPlugins": "Plugin installati", "TabCatalog": "Catalogo", - "ThisWizardWillGuideYou": "Questa procedura ti guider\u00e0 durante il processo di installazione. Per cominciare, per favore seleziona la tua lingua preferita", - "TellUsAboutYourself": "Parlaci di te", + "TitlePlugins": "Plugin", "HeaderAutomaticUpdates": "Aggiornamenti Automatici", - "LabelYourFirstName": "Nome", - "LabelPinCode": "Codice Pin", - "MoreUsersCanBeAddedLater": "Puoi aggiungere altri utenti in un secondo momento all'interno del pannello di configurazione", "HeaderNowPlaying": "In Riproduzione", - "UserProfilesIntro": "Emby include il supporto integrato per i profili utente, che permette ad ogni utente di avere le proprie impostazioni di visualizzazione, stato di riproduzione e parental control.", "HeaderLatestAlbums": "Ultimi Album", - "LabelWindowsService": "Servizio Windows", "HeaderLatestSongs": "Ultime Canzoni", - "ButtonExit": "Esci", - "ButtonConvertMedia": "Converti media", - "AWindowsServiceHasBeenInstalled": "Servizio Windows Installato", "HeaderRecentlyPlayed": "Visti di recente", - "LabelTimeLimitHours": "Tempo limite (ore):", - "WindowsServiceIntro1": "Il Server Emby normalmente viene eseguito come un'applicazione del desktop con un'icona sulla barra in basso a destra, ma in alternativa, se si preferisce farlo funzionare come servizio in background, pu\u00f2 essere avviato dal pannello di controllo dei servizi di Windows.", "HeaderFrequentlyPlayed": "Visti di frequente", - "ButtonOrganize": "Organizza", - "WindowsServiceIntro2": "Se si utilizza il servizio di Windows, si ricorda che non pu\u00f2 essere eseguito allo stesso tempo con l'icona di sistema, quindi devi chiudere l'applicazione al fine di eseguire il servizio. Il servizio dovr\u00e0 anche essere configurato con privilegi amministrativi tramite il pannello di controllo. Si prega di notare che in questo momento il servizio non \u00e8 in grado di Autoaggiornarsi, quindi le nuove versioni richiedono l'interazione manuale", "DevBuildWarning": "Le versioni Dev sono sperimentali. Rilasciate di frequente, queste versioni non sono state testate. L'applicazione potrebbe chiudersi in modo imprevisto e alcune intere funzionalit\u00e0 potrebbero non funzionare affatto", - "HeaderGrownupsOnly": "Solo adulti", - "WizardCompleted": "Questo \u00e8 tutto ci\u00f2 che serve per ora. Emby ha iniziato a raccogliere informazioni sulla tua libreria di file multimediali. Scopri alcune delle nostre app, quindi clicca su Fine<\/b> per visualizzare il Pannello di controllo del server<\/b>", - "ButtonJoinTheDevelopmentTeam": "Unisciti al Team di Sviluppo", - "LabelConfigureSettings": "Configura le impostazioni", - "LabelEnableVideoImageExtraction": "Abilita estrazione immagine video", - "DividerOr": "-- o --", - "OptionEnableAccessToAllLibraries": "Abilita l'accesso a tutte le librerie", - "VideoImageExtractionHelp": "Per i video che sono sprovvisti di immagini, e per i quali non siamo riusciti a trovare immagini su Internet. Questa opzione allungher\u00e0 il tempo di scansione della tua libreria ma si tradurr\u00e0 in una presentazione pi\u00f9 gradevole.", - "LabelEnableChapterImageExtractionForMovies": "Estrazione immagine del capitolo per i Film", - "HeaderInstalledServices": "Servizi installati", - "LabelChapterImageExtractionForMoviesHelp": "L'estrazione delle immagini dai capitoli permetter\u00e0 ai client di avere un men\u00f9 grafico per la selezione delle scene. Il processo potrebbe essere lento, con uso intensivo della CPU e potrebbe richiedere diversi gigabyte di spazio. Viene avviato durante la notte, ad ogni modo \u00e8 configurabile nella sezione azioni pianificate. Non \u00e8 raccomandato l'avvio di questo processo durante le ore di massimo utilizzo.", - "TitlePlugins": "Plugin", - "HeaderToAccessPleaseEnterEasyPinCode": "Per accedere per favore inserisci il tuo codice pin semplificato", - "LabelEnableAutomaticPortMapping": "Abilita mappatura automatica delle porte", - "HeaderSupporterBenefits": "Benefici per il Supporter", - "LabelEnableAutomaticPortMappingHelp": "UPnP consente la configurazione automatica del router per facilitare l'accesso remoto. Questa opzione potrebbe non funzionare con alcuni modelli di router.", - "HeaderAvailableServices": "Servizi disponibili", - "ButtonOk": "OK", - "KidsModeAdultInstruction": "Clicca sull'icona del lucchetto nell'angolo in basso a destra per configurare o abbandonare la modalit\u00e0 bambini. Verr\u00e0 richiesto il tuo codice pin", - "ButtonCancel": "Annulla", - "HeaderAddUser": "Aggiungi utente", - "HeaderSetupLibrary": "Configura la tua libreria di contenuti multimediali", - "MessageNoServicesInstalled": "Nessun servizio attualmente installato", - "ButtonAddMediaFolder": "Aggiungi cartella", - "ButtonConfigurePinCode": "Configura codice pin", - "LabelFolderType": "Tipo cartella", - "LabelAddConnectSupporterHelp": "Per aggiungere un utente non in lista, dovrai prima collegare il suo account a Emby Connect dalla pagina del suo profilo", - "ReferToMediaLibraryWiki": "Fare riferimento alla wiki libreria multimediale.", - "HeaderAdultsReadHere": "Adulti leggete qui!", - "LabelCountry": "Nazione:", - "LabelLanguage": "Lingua:", - "HeaderPreferredMetadataLanguage": "Lingua preferita per i metadati:", - "LabelEnableEnhancedMovies": "Abilita le visuali film migliorate", - "LabelSaveLocalMetadata": "Salva immagini e metadati nelle cartelle multimediali", - "LabelSaveLocalMetadataHelp": "Il salvataggio di immagini e metadati direttamente nelle cartelle multimediali consentir\u00e0 di tenerli in un posto dove possono essere facilmente modificati.", - "LabelDownloadInternetMetadata": "Scarica immagini e metadati da internet", - "LabelEnableEnhancedMoviesHelp": "Quando abilitato, i film verranno mostrati come cartelle che includono i trailer, gli extra, il cast & crew, e altri contenuti correlati.", - "HeaderDeviceAccess": "Accesso al dispositivo", - "LabelDownloadInternetMetadataHelp": "Il Server Emby pu\u00f2 scaricare informazioni sui tuoi media per ottenere presentazioni pi\u00f9 complete", - "OptionThumb": "Pollice", - "LabelExit": "Esci", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visita la Community", "LabelVideoType": "Tipo video:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Abilitare l'accesso da tutti i dispositivi", - "LabelBrowseLibrary": "Esplora la libreria", "LabelFeatures": "Caratteristiche:", - "DeviceAccessHelp": "Questo vale solo per i dispositivi che possono essere identificati in modo univoco e non impedire l'accesso del browser. Filtraggio di accesso al dispositivo dell'utente impedir\u00e0 loro di usare nuovi dispositivi fino a quando non sono state approvate qui.", - "ChannelAccessHelp": "Selezionare i canali da condividere con questo utente. Gli amministratori saranno in grado di modificare tutti i canali usando il gestore dei metadati", + "LabelService": "Servizio:", + "LabelStatus": "Stato:", + "LabelVersion": "Versione:", + "LabelLastResult": "Ultimo risultato:", "OptionHasSubtitles": "Sottotitoli", - "LabelOpenLibraryViewer": "Apri visualizzatore libreria", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Riavvia Server", "OptionHasThemeSong": "Tema Canzone", - "LabelShowLogWindow": "Mostra finestra dei log", "OptionHasThemeVideo": "Tema video", - "LabelPrevious": "Precedente", "TabMovies": "Film", - "LabelFinish": "Finito", "TabStudios": "Studios", - "FolderTypeMixed": "contenuto misto", - "LabelNext": "Prossimo", "TabTrailers": "Trailer", - "FolderTypeMovies": "Film", - "LabelYoureDone": "Hai Finito!", + "LabelArtists": "Cantanti", + "LabelArtistsHelp": "Separazione multipla utilizzando ;", "HeaderLatestMovies": "Ultimi Film Aggiunti", - "FolderTypeMusic": "Musica", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "La sincronizzazione richiede un'iscrizione come supporter", "HeaderLatestTrailers": "Ultimi Trailers Aggiunti", - "FolderTypeAdultVideos": "Video per adulti", "OptionHasSpecialFeatures": "Contenuti speciali", - "FolderTypePhotos": "Foto", - "ButtonSubmit": "Invia", - "HeaderEnjoyDayTrial": "Goditi una prova gratuita per 14 giorni", "OptionImdbRating": "Voto IMDB", - "FolderTypeMusicVideos": "Video musicali", - "LabelFailed": "Fallito", "OptionParentalRating": "Voto Genitori", - "FolderTypeHomeVideos": "Video personali", - "LabelSeries": "Serie:", "OptionPremiereDate": "Data della prima", - "FolderTypeGames": "Giochi", - "ButtonRefresh": "Aggiorna", "TabBasic": "Base", - "FolderTypeBooks": "Libri", - "HeaderPlaybackSettings": "Impostazioni per la riproduzione", "TabAdvanced": "Avanzato", - "FolderTypeTvShows": "Tv", "HeaderStatus": "Stato", "OptionContinuing": "In corso", "OptionEnded": "Finito", - "HeaderSync": "Sincronizza", - "TabPreferences": "Preferenze", "HeaderAirDays": "In onda da:", - "OptionReleaseDate": "Data di rilascio", - "TabPassword": "Password", - "HeaderEasyPinCode": "Codice pin semplificato", "OptionSunday": "Domenica", - "LabelArtists": "Cantanti", - "TabLibraryAccess": "Accesso alla libreria", - "TitleAutoOrganize": "Organizza Autom.", "OptionMonday": "Luned\u00ec", - "LabelArtistsHelp": "Separazione multipla utilizzando ;", - "TabImage": "Immagine", - "TabActivityLog": "Registrazione eventi", "OptionTuesday": "Marted\u00ec", - "ButtonAdvancedRefresh": "Aggiornamento (avanzato)", - "TabProfile": "Profilo", - "HeaderName": "Nome", "OptionWednesday": "Mercoled\u00ec", - "LabelDisplayMissingEpisodesWithinSeasons": "Visualizza gli episodi mancanti nelle stagioni", - "HeaderDate": "Data", "OptionThursday": "Gioved\u00ec", - "LabelUnairedMissingEpisodesWithinSeasons": "Visualizzare episodi mai andati in onda all'interno stagioni", - "HeaderSource": "Sorgente", "OptionFriday": "Venerd\u00ec", - "ButtonAddLocalUser": "Aggiungi Utente locale", - "HeaderVideoPlaybackSettings": "Impostazioni per la riproduzione di video", - "HeaderDestination": "Destinazione", "OptionSaturday": "Sabato", - "LabelAudioLanguagePreference": "Preferenza per la lingua dell'audio:", - "HeaderProgram": "Programma", "HeaderManagement": "Gestione:", - "OptionMissingTmdbId": "Tmdb Id mancante", - "LabelSubtitleLanguagePreference": "Preferenza per la lingua dei sottotitoli:", - "HeaderClients": "Dispositivi", + "LabelManagement": "Gestione:", "OptionMissingImdbId": "IMDB id mancante", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completato", "OptionMissingTvdbId": "TheTVDB Id mancante", + "OptionMissingOverview": "Trama mancante", + "OptionFileMetadataYearMismatch": "File\/Metadata anni errati", + "TabGeneral": "Generale", + "TitleSupport": "Supporto", + "LabelSeasonNumber": "Season number", + "TabLog": "Eventi", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Info", + "TabSupporterKey": "Chiave del Supporter", + "TabBecomeSupporter": "Diventa un Supporter", + "ProjectHasCommunity": "Emby ha una ricca community di utilizzatori e collaboratori", + "CheckoutKnowledgeBase": "Scopri la nostra Knoledge Base per ottenere il massimo da Emby", + "SearchKnowledgeBase": "Cerca nella guida online", + "VisitTheCommunity": "Visita la nostra Community", + "VisitProjectWebsite": "Visita il sito di Emby", + "VisitProjectWebsiteLong": "Visita il sito web di Emby per tenerti aggiornato con le ultime novit\u00e0 e le notizie dal blog degli sviluppatori.", + "OptionHideUser": "Nascondi questo utente dalla schermata di Accesso", + "OptionHideUserFromLoginHelp": "Utile per account nascosti o amministratore. L'utente avr\u00e0 bisogno di accedere manualmente utilizzando la propria username e password", + "OptionDisableUser": "Disabilita questo utente", + "OptionDisableUserHelp": "Se disabilitato, il server non sar\u00e0 disponibile per questo utente. La connessione corrente verr\u00e0 TERMINATA", + "HeaderAdvancedControl": "Controlli avanzati", + "LabelName": "Nome:", + "ButtonHelp": "Aiuto", + "OptionAllowUserToManageServer": "Consenti a questo utente di accedere alla configurazione del SERVER", + "HeaderFeatureAccess": "Accesso alle funzionalit\u00e0", + "OptionAllowMediaPlayback": "Consentire la riproduzione multimediale", + "OptionAllowBrowsingLiveTv": "Consenti accesso alla TV live", + "OptionAllowDeleteLibraryContent": "Consenti l'eliminazione dei media", + "OptionAllowManageLiveTv": "Consenti la gestione di registrazione Live TV", + "OptionAllowRemoteControlOthers": "Consenti controllo remoto di altri utenti", + "OptionAllowRemoteSharedDevices": "Consenti controllo remoto di dispositivi condivisi", + "OptionAllowRemoteSharedDevicesHelp": "Dispositivi DLNA sono considerati condivisi fino a quando un utente non inizia a controllarli.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "telecomando", + "OptionMissingTmdbId": "Tmdb Id mancante", + "OptionIsHD": "HD", "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Guida rapida", - "TabProfiles": "Profili", - "OptionMissingOverview": "Trama mancante", "OptionMetascore": "Punteggio", - "HeaderSyncJobInfo": "Attiv. di Sinc.", - "TabSecurity": "Sicurezza", - "HeaderVideo": "Video", - "LabelSkipped": "Saltato", - "OptionFileMetadataYearMismatch": "File\/Metadata anni errati", "ButtonSelect": "Seleziona", - "ButtonAddUser": "Aggiungi Utente", - "HeaderEpisodeOrganization": "Organizzazione Episodi", - "TabGeneral": "Generale", "ButtonGroupVersions": "Versione Gruppo", - "TabGuide": "Guida", - "ButtonSave": "Salva", - "TitleSupport": "Supporto", + "ButtonAddToCollection": "Aggiungi alla collezione", "PismoMessage": "Dona per avere una licenza di Pismo", - "TabChannels": "Canali", - "ButtonResetPassword": "Ripristina Password", - "LabelSeasonNumber": "Numero Stagione:", - "TabLog": "Eventi", + "TangibleSoftwareMessage": "Utilizza Tangible Solutions Java\/C# con una licenza su donazione.", + "HeaderCredits": "Crediti", "PleaseSupportOtherProduces": "Per favore supporta gli altri prodotti gratuiti che utilizziamo", - "HeaderChannels": "Canali", - "LabelNewPassword": "Nuova Password:", - "LabelEpisodeNumber": "Numero Episodio :", - "TabAbout": "Info", "VersionNumber": "Versione {0}", - "TabRecordings": "Registrazioni", - "LabelNewPasswordConfirm": "Conferma Nuova Password:", - "LabelEndingEpisodeNumber": "Numero ultimo episodio:", - "TabSupporterKey": "Chiave del Supporter", "TabPaths": "Percorsi", - "TabScheduled": "Pianificato", - "HeaderCreatePassword": "Crea Password", - "LabelEndingEpisodeNumberHelp": "Richiesto solo se ci sono pi\u00f9 file per espisodio", - "TabBecomeSupporter": "Diventa un Supporter", "TabServer": "Server", - "TabSeries": "Serie TV", - "LabelCurrentPassword": "Password Corrente:", - "HeaderSupportTheTeam": "Supporta il Team di Emby", "TabTranscoding": "Trascodifica", - "ButtonCancelRecording": "Annulla la registrazione", - "LabelMaxParentalRating": "Massima valutazione dei genitori consentita:", - "LabelSupportAmount": "Ammontare (Dollari)", - "CheckoutKnowledgeBase": "Scopri la nostra Knoledge Base per ottenere il massimo da Emby", "TitleAdvanced": "Avanzato", - "HeaderPrePostPadding": "Pre\/Post Registrazione", - "MaxParentalRatingHelp": "Contenuto con un punteggio pi\u00f9 elevato sar\u00e0 nascosto per questo utente.", - "HeaderSupportTheTeamHelp": "Aiutaci a continuare lo sviluppo di questo progetto tramite una donazione. Una parte delle donazioni verr\u00e0 impiegata per lo sviluppo di Plugins gratuiti.", - "SearchKnowledgeBase": "Cerca nella guida online", "LabelAutomaticUpdateLevel": "Livello Aggiornamenti Automatici", - "LabelPrePaddingMinutes": "Minuti di pre-registrazione:", - "LibraryAccessHelp": "Selezionare le cartelle multimediali da condividere con questo utente. Gli amministratori saranno in grado di modificare tutte le cartelle utilizzando il gestore dei metadati.", - "ButtonEnterSupporterKey": "Inserisci il tuo codice Supporter", - "VisitTheCommunity": "Visita la nostra Community", + "OptionRelease": "Versione Ufficiale", + "OptionBeta": "Beta", + "OptionDev": "Dev (instabile)", "LabelAllowServerAutoRestart": "Consenti al server di Riavviarsi automaticamente per applicare gli aggiornamenti", - "OptionPrePaddingRequired": "Attiva pre registrazione", - "OptionNoSubtitles": "Nessun Sottotitolo", - "DonationNextStep": "Quando hai terminato, per favore rientra ed inserisci il codice Supporter che riceverai per email", "LabelAllowServerAutoRestartHelp": "Il server si Riavvier\u00e0 solamente quando nessun utente \u00e8 collegato", - "LabelPostPaddingMinutes": "Minuti post registrazione", - "AutoOrganizeHelp": "Organizzazione automatica monitorizza le cartelle dei file scaricati e li sposter\u00e0 automaticamente nelle tue cartelle dei media.", "LabelEnableDebugLogging": "Attiva la registrazione degli eventi", - "OptionPostPaddingRequired": "Attiva post registrazione", - "AutoOrganizeTvHelp": "L'organizzazione della TV aggiunger\u00e0 solo episodi nuovi alle serie esistenti. Non verranno create nuove cartelle delle serie.", - "OptionHideUser": "Nascondi questo utente dalla schermata di Accesso", "LabelRunServerAtStartup": "Esegui il server all'avvio di windows", - "HeaderWhatsOnTV": "Cosa c'\u00e8", - "ButtonNew": "Nuovo", - "OptionEnableEpisodeOrganization": "Abilita l'organizzazione dei nuovi episodi", - "OptionDisableUser": "Disabilita questo utente", "LabelRunServerAtStartupHelp": "Verr\u00e0 avviata l'icona della barra all'avvio di Windows. Per avviare il servizio di Windows, deselezionare questa ed eseguire il servizio dal pannello di controllo di Windows. Si prega di notare che non \u00e8 possibile eseguire entrambi allo stesso tempo, quindi sar\u00e0 necessario chiudere l'icona sulla barra prima di avviare il servizio.", - "HeaderUpcomingTV": "In onda a breve", - "TabMetadata": "Metadati", - "LabelWatchFolder": "Monitorizza cartella:", - "OptionDisableUserHelp": "Se disabilitato, il server non sar\u00e0 disponibile per questo utente. La connessione corrente verr\u00e0 TERMINATA", "ButtonSelectDirectory": "Seleziona cartella", - "TabStatus": "Stato", - "TabImages": "Immagini", - "LabelWatchFolderHelp": "Il server cercher\u00e0 in questa cartella durante l'operazione pianificata relativa all' Organizzazione dei nuovi file multimediali", - "HeaderAdvancedControl": "Controlli avanzati", "LabelCustomPaths": "Specifica un percorso personalizzato.Lasciare vuoto per usare quello predefinito", - "TabSettings": "Impostazioni", - "TabCollectionTitles": "Titolo", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "Visualizza le operazioni pianificate", - "LabelName": "Nome:", "LabelCachePath": "Percorso Cache:", - "ButtonRefreshGuideData": "Aggiorna la guida", - "LabelMinFileSizeForOrganize": "Dimensioni minime file (MB):", - "OptionAllowUserToManageServer": "Consenti a questo utente di accedere alla configurazione del SERVER", "LabelCachePathHelp": "Specifica la cartella dove memorizzare i file di cache del server, come le immagini", - "OptionPriority": "Priorit\u00e0", - "ButtonRemove": "Rimuovi", - "LabelMinFileSizeForOrganizeHelp": "I file al di sotto di questa dimensione verranno ignorati.", - "HeaderFeatureAccess": "Accesso alle funzionalit\u00e0", "LabelImagesByNamePath": "Percorso immagini per nome:", - "OptionRecordOnAllChannels": "Registra su tutti i canali", - "EditCollectionItemsHelp": "Aggiungi o rimuovi film, serie, album, libri o giochi che desideri raggruppare in questa collezione.", - "TabAccess": "Accesso", - "LabelSeasonFolderPattern": "Modello della cartella Stagione:", - "OptionAllowMediaPlayback": "Consentire la riproduzione multimediale", "LabelImagesByNamePathHelp": "Specificare un percorso personalizzato per le immagini di attori, artisti, generi e case cinematografiche scaricate.", - "OptionRecordAnytime": "Registra a qualsiasi ora", - "HeaderAddTitles": "Aggiungi titoli", - "OptionAllowBrowsingLiveTv": "Consenti accesso alla TV live", "LabelMetadataPath": "Percorso dei file con i metadati:", + "LabelMetadataPathHelp": "Specificare un percorso personalizzato per le immagini e i metadati scaricati, se non si desidera salvarli nelle cartelle multimediali.", + "LabelTranscodingTempPath": "Cartella temporanea per la trascodifica:", + "LabelTranscodingTempPathHelp": "Questa cartella contiene i file di lavoro utilizzati dal transcoder. Specificare un percorso personalizzato, oppure lasciare vuoto per utilizzare l'impostazione predefinita all'interno della cartella dei dati del server.", + "TabBasics": "Base", + "TabTV": "Serie TV", + "TabGames": "Giochi", + "TabMusic": "Musica", + "TabOthers": "Altri", + "HeaderExtractChapterImagesFor": "Estrai le immagini dei capitoli per:", + "OptionMovies": "Film", + "OptionEpisodes": "Episodi", + "OptionOtherVideos": "Altri Video", + "TitleMetadata": "Metadati", + "LabelAutomaticUpdates": "Abilita gli aggiornamenti automatici", + "LabelAutomaticUpdatesTmdb": "Abilita gli aggiornamenti automatici da TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Abilita gli aggiornamenti automatici da TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da fanart.tv. Le immagini esistenti non verranno sovrascritte.", + "LabelAutomaticUpdatesTmdbHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da ThemovieDb.org. Le immagini esistenti non verranno sovrascritte.", + "LabelAutomaticUpdatesTvdbHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da TheTvDB.com. Le immagini esistenti non verranno sovrascritte.", + "LabelFanartApiKey": "Chiavi API personali", + "LabelFanartApiKeyHelp": "Le richieste di fanart effettuate senza una chiave API personale restituiranno risultati approvati pi\u00f9 di 7 giorni fa. Con una chiave API personale questo tempo scende a 48 ore, e se sei un membro VIP questo tempo scender\u00e0 ulteriormente a circa 10 minuti.", + "ExtractChapterImagesHelp": "L'estrazione delle immagini dai capitoli permetter\u00e0 ai client di avere un men\u00f9 grafico per la selezione delle scene. Il processo potrebbe essere lento, con uso intensivo della CPU e potrebbe richiedere diversi gigabyte di spazio. Viene avviato quando vengono trovati nuovi video, e anche durante la notte, ad ogni modo \u00e8 configurabile nella sezione azioni pianificate. Non \u00e8 raccomandato l'avvio di questo processo durante le ore di massimo utilizzo.", + "LabelMetadataDownloadLanguage": "Lingua preferita per il download:", + "ButtonAutoScroll": "Scorrimento automatico", + "LabelImageSavingConvention": "Convenzione per il salvataggio di immagini:", + "LabelImageSavingConventionHelp": "Emby riconosce le immagini fornite dalle principali applicazioni di gestione di media. Scegliere il formato del download \u00e8 utile se usi anche altri prodotti", + "OptionImageSavingCompatible": "Compatibile - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "Accedi", + "TitleSignIn": "Accedi", + "HeaderPleaseSignIn": "Per favore accedi", + "LabelUser": "Utente:", + "LabelPassword": "Password:", + "ButtonManualLogin": "Accesso Manuale", + "PasswordLocalhostMessage": "Le password non sono richieste quando viene eseguito l'accesso da questo pc.", + "TabGuide": "Guida", + "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": "Minuti di pre-registrazione:", + "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", + "HeaderRepeatingOptions": "Opzioni di ripetizione", + "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 in diretta", + "LabelNumberOfGuideDays": "Numero di giorni per i quali scaricare i dati della guida:", + "LabelNumberOfGuideDaysHelp": "Scaricando pi\u00f9 giorni si avr\u00e0 la possibilit\u00e0 di pianificare in anticipo pi\u00f9 programmi e vedere pi\u00f9 liste, ma il tempo di download si allungher\u00e0. 'Auto': MB sceglier\u00e0 automaticamente in base al numero di canali.", + "OptionAutomatic": "Automatico", + "HeaderServices": "Servizi", + "LiveTvPluginRequired": "E' richiesto il servizio LIVE TV per continuare.", + "LiveTvPluginRequiredHelp": "Installa un plugin tra quelli disponibili, come Next Pvr o 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": "Giornaliero", + "OptionWeekly": "Settimanale", + "OptionOnInterval": "Su intervallo", + "OptionOnAppStartup": "All'avvio", + "OptionAfterSystemEvent": "Dopo un evento di sistema", + "LabelDay": "Giorno:", + "LabelTime": "Ora:", + "LabelEvent": "Evento:", + "OptionWakeFromSleep": "Risveglio:", + "LabelEveryXMinutes": "Tutti:", + "HeaderTvTuners": "Sintonizzatori Tv", + "HeaderGallery": "Galleria", + "HeaderLatestGames": "Ultimi giochi", + "HeaderRecentlyPlayedGames": "Ultimi giochi eseguiti", + "TabGameSystems": "Sistemi di gioco", + "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": "Players:", + "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": "Contenuti Speciali", + "HeaderCastCrew": "Cast & Crew", + "HeaderAdditionalParts": "Parti addizionali", + "ButtonSplitVersionsApart": "Separa Versioni", + "ButtonPlayTrailer": "Trailer", + "LabelMissing": "Mancante", + "LabelOffline": "Spento", + "PathSubstitutionHelp": "La sostituzione percorsi viene utilizzata per mappare un percorso sul server, su uno a cui i client sono in grado di accedere. Consentendo ai client l'accesso diretto ai media sul server possono essere in grado di riprodurli direttamente attraverso la rete ed evitare di utilizzare le risorse del server per lo streaming e la transcodifica.", + "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.", + "EditCollectionItemsHelp": "Aggiungi o rimuovi film, serie, album, libri o giochi che desideri raggruppare in questa collezione.", + "HeaderAddTitles": "Aggiungi titoli", "LabelEnableDlnaPlayTo": "Abilita DLNA su", - "OptionAllowDeleteLibraryContent": "Consenti l'eliminazione dei media", - "LabelMetadataPathHelp": "Specificare un percorso personalizzato per le immagini e i metadati scaricati, se non si desidera salvarli nelle cartelle multimediali.", - "HeaderDays": "Giorni", "LabelEnableDlnaPlayToHelp": "Emby pu\u00f2 individuare i dispositivi attivi in rete e offrire la possibilit\u00e0 di controllarli da remoto", - "OptionAllowManageLiveTv": "Consenti la gestione di registrazione Live TV", - "LabelTranscodingTempPath": "Cartella temporanea per la trascodifica:", - "HeaderActiveRecordings": "Registrazioni Attive", "LabelEnableDlnaDebugLogging": "Abilita il debug del DLNA", - "OptionAllowRemoteControlOthers": "Consenti controllo remoto di altri utenti", - "LabelTranscodingTempPathHelp": "Questa cartella contiene i file di lavoro utilizzati dal transcoder. Specificare un percorso personalizzato, oppure lasciare vuoto per utilizzare l'impostazione predefinita all'interno della cartella dei dati del server.", - "HeaderLatestRecordings": "Ultime registrazioni", "LabelEnableDlnaDebugLoggingHelp": "Questo creer\u00e0 file di log di notevoli dimensioni e deve essere abilitato solo per risolvere eventuali problemi", - "TabBasics": "Base", - "HeaderAllRecordings": "Tutte le registrazioni", "LabelEnableDlnaClientDiscoveryInterval": "Intervallo di ricerca dispositivi (secondi)", - "LabelEnterConnectUserName": "Nome Utente o email:", - "TabTV": "Serie TV", - "LabelService": "Servizio:", - "ButtonPlay": "Riproduci", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la durata in secondi tra le ricerche SSDP effettuate da Emby", - "LabelEnterConnectUserNameHelp": "Questa \u00e8 la username o la password del tuo account online Emby", - "TabGames": "Giochi", - "LabelStatus": "Stato:", - "ButtonEdit": "Modifica", "HeaderCustomDlnaProfiles": "Profili personalizzati", - "TabMusic": "Musica", - "LabelVersion": "Versione:", - "ButtonRecord": "Registra", "HeaderSystemDlnaProfiles": "Profili di sistema", - "TabOthers": "Altri", - "LabelLastResult": "Ultimo risultato:", - "ButtonDelete": "Elimina", "CustomDlnaProfilesHelp": "Crea un profilo personalizzato per un nuovo dispositivo o sovrascrivi quello di sistema", - "HeaderExtractChapterImagesFor": "Estrai le immagini dei capitoli per:", - "OptionRecordSeries": "Registra Serie", "SystemDlnaProfilesHelp": "I profili di sistema sono in sola lettura. Le modifiche ad un profilo di sistema verranno salvate in un nuovo profilo personalizzato.", - "OptionMovies": "Film", - "HeaderDetails": "Dettagli", "TitleDashboard": "Pannello di controllo", - "OptionEpisodes": "Episodi", "TabHome": "Home", - "OptionOtherVideos": "Altri Video", "TabInfo": "Info", - "TitleMetadata": "Metadati", "HeaderLinks": "Links", "HeaderSystemPaths": "Percorsi di sistema", - "LabelAutomaticUpdatesTmdb": "Abilita gli aggiornamenti automatici da TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Abilita gli aggiornamenti automatici da TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da fanart.tv. Le immagini esistenti non verranno sovrascritte.", + "LinkApi": "API", "LinkApiDocumentation": "Documentazione Api", - "LabelAutomaticUpdatesTmdbHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da ThemovieDb.org. Le immagini esistenti non verranno sovrascritte.", "LabelFriendlyServerName": "Nome condiviso del server:", - "LabelAutomaticUpdatesTvdbHelp": "Se abilitato le nuove immagini verranno scaricate automaticamente da TheTvDB.com. Le immagini esistenti non verranno sovrascritte.", - "OptionFolderSort": "Cartelle", "LabelFriendlyServerNameHelp": "Questo nome \u00e8 usato per identificare il server sulla rete.Se lasciato vuoto verra usato il nome del pc", - "LabelConfigureServer": "Configura Emby", - "ExtractChapterImagesHelp": "L'estrazione delle immagini dai capitoli permetter\u00e0 ai client di avere un men\u00f9 grafico per la selezione delle scene. Il processo potrebbe essere lento, con uso intensivo della CPU e potrebbe richiedere diversi gigabyte di spazio. Viene avviato quando vengono trovati nuovi video, e anche durante la notte, ad ogni modo \u00e8 configurabile nella sezione azioni pianificate. Non \u00e8 raccomandato l'avvio di questo processo durante le ore di massimo utilizzo.", - "OptionBackdrop": "Sfondo", "LabelPreferredDisplayLanguage": "Lingua preferita visualizzata", - "LabelMetadataDownloadLanguage": "Lingua preferita per il download:", - "TitleLiveTV": "Tv in diretta", "LabelPreferredDisplayLanguageHelp": "La traduzione di Emby \u00e8 un'attivit\u00e0 in corso e non \u00e8 ancora conclusa", - "ButtonAutoScroll": "Scorrimento automatico", - "LabelNumberOfGuideDays": "Numero di giorni per i quali scaricare i dati della guida:", "LabelReadHowYouCanContribute": "Leggi come puoi contribuire", + "HeaderNewCollection": "Nuova collezione", + "ButtonSubmit": "Invia", + "ButtonCreate": "Crea", + "LabelCustomCss": "CSS Personalizzato", + "LabelCustomCssHelp": "Applica il tuo CSS personale all'interfaccia web", + "LabelLocalHttpServerPortNumber": "Porta HTTP locale", + "LabelLocalHttpServerPortNumberHelp": "Numero di porta TCP da associare al server http di Emby", + "LabelPublicHttpPort": "Porta HTTP pubblica", + "LabelPublicHttpPortHelp": "Numero di porta pubblica che dovrebbe essere mappato sulla porta HTTP locale.", + "LabelPublicHttpsPort": "Numero porta HTTP pubblica", + "LabelPublicHttpsPortHelp": "Numero della porta pubblica che dovrebbe essere mappato sulla porta HTTPS locale.", + "LabelEnableHttps": "Riporta HTTPS come indirizzo esterno", + "LabelEnableHttpsHelp": "se abilitato, il server riporter\u00e0 un url HTTPS ai client come il proprio indirizzo esterno.", + "LabelHttpsPort": "Porta HTTPS locale", + "LabelHttpsPortHelp": "Numero di porta TCP da associare al server https di Emby", + "LabelWebSocketPortNumber": "Numero porta web socket:", + "LabelEnableAutomaticPortMap": "Abilita mappatura automatica delle porte", + "LabelEnableAutomaticPortMapHelp": "Tenta di mappare automaticamente la porta pubblica sulla porta locale tramite UPnP. Questo potrebbe non funzionare con alcuni modelli di router.", + "LabelExternalDDNS": "Indirizzo WAN esterno", + "LabelExternalDDNSHelp": "Se hai un DNS dinamico inserisci l'indirizzo qui. Le app di Emby lo utilizzeranno nelle connessioni remote. Lascia il campo vuoto per sfruttare la rilevazione automatica", + "TabResume": "Riprendi", + "TabWeather": "Tempo", + "TitleAppSettings": "Impostazioni delle app", + "LabelMinResumePercentage": "Percentuale minima per il riprendi", + "LabelMaxResumePercentage": "Percentuale 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 Autom.", + "TabActivityLog": "Registrazione eventi", + "HeaderName": "Nome", + "HeaderDate": "Data", + "HeaderSource": "Sorgente", + "HeaderDestination": "Destinazione", + "HeaderProgram": "Programma", + "HeaderClients": "Dispositivi", + "LabelCompleted": "Completato", + "LabelFailed": "Fallito", + "LabelSkipped": "Saltato", + "HeaderEpisodeOrganization": "Organizzazione Episodi", + "LabelSeries": "Serie:", + "LabelEndingEpisodeNumber": "Numero ultimo episodio:", + "LabelEndingEpisodeNumberHelp": "Richiesto solo se ci sono pi\u00f9 file per espisodio", + "HeaderSupportTheTeam": "Supporta il Team di Emby", + "LabelSupportAmount": "Ammontare (Dollari)", + "HeaderSupportTheTeamHelp": "Aiutaci a continuare lo sviluppo di questo progetto tramite una donazione. Una parte delle donazioni verr\u00e0 impiegata per lo sviluppo di Plugins gratuiti.", + "ButtonEnterSupporterKey": "Inserisci il tuo codice Supporter", + "DonationNextStep": "Quando hai terminato, per favore rientra ed inserisci il codice Supporter che riceverai per email", + "AutoOrganizeHelp": "Organizzazione automatica monitorizza le cartelle dei file scaricati e li sposter\u00e0 automaticamente nelle tue cartelle dei media.", + "AutoOrganizeTvHelp": "L'organizzazione della TV aggiunger\u00e0 solo episodi nuovi alle serie esistenti. 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 al di sotto di questa dimensione verranno ignorati.", + "LabelSeasonFolderPattern": "Modello della cartella Stagione:", + "LabelSeasonZeroFolderName": "Nome 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": "Risultato", + "LabelDeleteEmptyFolders": "Elimina le cartelle vuote dopo l'organizzazione automatica", + "LabelDeleteEmptyFoldersHelp": "Attivare questa opzione per mantenere la directory di download pulita.", + "LabelDeleteLeftOverFiles": "Elimina i file rimasti con le seguenti estensioni:", + "LabelDeleteLeftOverFilesHelp": "Separare con ;. Per esempio: .nfo;.txt", + "OptionOverwriteExistingEpisodes": "Sovrascrive gli episodi esistenti", + "LabelTransferMethod": "Metodo di trasferimento", + "OptionCopy": "Copia", + "OptionMove": "Sposta", + "LabelTransferMethodHelp": "Copiare o spostare i file dalla cartella da monitorizzare", + "HeaderLatestNews": "Ultime Novit\u00e0", + "HeaderHelpImproveProject": "Aiuta a migliorare Emby", + "HeaderRunningTasks": "Operazioni in corso", + "HeaderActiveDevices": "Dispositivi Connessi", + "HeaderPendingInstallations": "installazioni in coda", + "HeaderServerInformation": "Informazioni Server", "ButtonRestartNow": "Riavvia Adesso", - "LabelEnableChannelContentDownloadingForHelp": "Alcuni canali supportano il download di contenuti prima di essere visti. Attivare questa opzione in ambienti con bassa larghezza di banda per scaricare i contenuti del canale durante le ore di assenza. Il contenuto viene scaricato come parte del download pianificato.", - "ButtonOptions": "Opzioni", - "NotificationOptionApplicationUpdateInstalled": "Aggiornamento dell'applicazione installato", "ButtonRestart": "Riavvia", - "LabelChannelDownloadPath": "Percorso contenuti dei canali scaricati:", - "NotificationOptionPluginUpdateInstalled": "Aggiornamento del plugin installato", "ButtonShutdown": "Arresta Server", - "LabelChannelDownloadPathHelp": "Specificare un percorso di download personalizzato se lo desideri. Lasciare vuoto per scaricare in una cartella dati interna al programma.", - "NotificationOptionPluginInstalled": "Plugin installato", "ButtonUpdateNow": "Aggiorna Adesso", - "LabelChannelDownloadAge": "Elimina contenuto dopo: (giorni)", - "NotificationOptionPluginUninstalled": "Plugin disinstallato", + "TabHosting": "Hosting", "PleaseUpdateManually": "Per favore Arresta il server ed aggiorna manualmente", - "LabelChannelDownloadAgeHelp": "Contenuti scaricati pi\u00f9 vecchi di questo limite sarnno cancellati. Rimarranno riproducibili via internet in streaming.", - "NotificationOptionTaskFailed": "Operazione pianificata fallita", "NewServerVersionAvailable": "E' disponibile una nuova versione del Server Emby!", - "ChannelSettingsFormHelp": "Installare canali come Trailer e Vimeo nel catalogo plugin.", - "NotificationOptionInstallationFailed": "Installazione fallita", "ServerUpToDate": "Il Server Emby \u00e8 aggiornato", + "LabelComponentsUpdated": "I seguenti componenti sono stati installati o aggiornati:", + "MessagePleaseRestartServerToFinishUpdating": "Si prega di riavviare il server per completare l'applicazione degli aggiornamenti.", + "LabelDownMixAudioScale": "Boost audio durante il downmix:", + "LabelDownMixAudioScaleHelp": "Aumenta il volume durante il downmix. Impostalo su 1 per mantenere il volume originale", + "ButtonLinkKeys": "Trasferisci chiavi", + "LabelOldSupporterKey": "Vecchie Chiavi Donatore", + "LabelNewSupporterKey": "Nuova Chiave Sostenitore:", + "HeaderMultipleKeyLinking": "Trasferimento nuova chiave", + "MultipleKeyLinkingHelp": "Se hai ricevuto una nuova Chiave Sostenitore, utilizza questo modulo per trasferire le registrazioni della vecchia chiave a quella nuova.", + "LabelCurrentEmailAddress": "Indirizzo mail attuale", + "LabelCurrentEmailAddressHelp": "L'indirizzo email attuale a cui la nuova chiave \u00e8 stata inviata.", + "HeaderForgotKey": "Chiave dimenticata", + "LabelEmailAddress": "Indirizzo email", + "LabelSupporterEmailAddress": "La mail che \u00e8 stata utilizzata per acquistare la chiave", + "ButtonRetrieveKey": "Recupera chiave", + "LabelSupporterKey": "Chiave (incollala dalla mail ricevuta)", + "LabelSupporterKeyHelp": "Inserisci il tuo codice Supporter per iniziare a goderti ulteriori funzioni che la community ha sviluppato per Emby", + "MessageInvalidKey": "Chiave Sostenitore mancante o non valida.", + "ErrorMessageInvalidKey": "Affinch\u00e8 un contenuto premium venga registrato, tu devi anche essere un Supporter di Emby. Per favore, fai una donazione e supporta il continuo sviluppo del prodotto principale. Grazie", + "HeaderDisplaySettings": "Configurazione Monitor", + "TabPlayTo": "Riproduci su", + "LabelEnableDlnaServer": "Abilita server DLNA", + "LabelEnableDlnaServerHelp": "Consente ai dispositivi UPnP nella tua rete di sfogliare i contenuti di Emby e riprodurli", + "LabelEnableBlastAliveMessages": "Invia segnale di presenza", + "LabelEnableBlastAliveMessagesHelp": "Attivare questa opzione se il server non viene rilevato in modo affidabile da altri dispositivi UPnP in rete.", + "LabelBlastMessageInterval": "Intervallo messaggi di presenza (secondi)", + "LabelBlastMessageIntervalHelp": "Determina la durata in secondi tra i messaggi di presenza del server.", + "LabelDefaultUser": "Utente Predefinito:", + "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 previsioni meteo", + "LabelWeatherDisplayLocationHelp": "Citt\u00e0, Stato", + "LabelWeatherDisplayUnit": "Unit\u00e0 di Misura", + "OptionCelsius": "Celsius", + "OptionFahrenheit": "Fahrenheit", + "HeaderRequireManualLogin": "Richiedi l'inserimento manuale nome utente per:", + "HeaderRequireManualLoginHelp": "Quando i client disabilitati possono presentare una schermata di login con una selezione visuale di utenti.", + "OptionOtherApps": "Altre apps", + "OptionMobileApps": "App dispositivi mobili", + "HeaderNotificationList": "Fare clic su una notifica per configurarne le opzioni.", + "NotificationOptionApplicationUpdateAvailable": "Aggiornamento dell'applicazione disponibile", + "NotificationOptionApplicationUpdateInstalled": "Aggiornamento dell'applicazione installato", + "NotificationOptionPluginUpdateInstalled": "Aggiornamento del plugin installato", + "NotificationOptionPluginInstalled": "Plugin installato", + "NotificationOptionPluginUninstalled": "Plugin disinstallato", + "NotificationOptionVideoPlayback": "La riproduzione video \u00e8 iniziata", + "NotificationOptionAudioPlayback": "Riproduzione audio iniziata", + "NotificationOptionGamePlayback": "Gioco avviato", + "NotificationOptionVideoPlaybackStopped": "Riproduzione video interrotta", + "NotificationOptionAudioPlaybackStopped": "Audio Fermato", + "NotificationOptionGamePlaybackStopped": "Gioco Fermato", + "NotificationOptionTaskFailed": "Operazione pianificata fallita", + "NotificationOptionInstallationFailed": "Installazione fallita", + "NotificationOptionNewLibraryContent": "Nuovo contenuto aggiunto", + "NotificationOptionNewLibraryContentMultiple": "Nuovi contenuti aggiunti (multipli)", + "NotificationOptionCameraImageUploaded": "Immagine fotocamera caricata", + "NotificationOptionUserLockedOut": "Utente bloccato", + "HeaderSendNotificationHelp": "Per impostazione predefinita, le notifiche vengono inviate alla casella della pagina principale. Sfoglia il catalogo plugin da installare opzioni di notifica aggiuntive.", + "NotificationOptionServerRestartRequired": "Riavvio del server necessario", + "LabelNotificationEnabled": "Abilita questa notifica", + "LabelMonitorUsers": "Monitorare l'attivit\u00e0 da:", + "LabelSendNotificationToUsers": "Invia notifiche a:", + "LabelUseNotificationServices": "Utilizzare i seguenti servizi:", "CategoryUser": "Utente", "CategorySystem": "Sistema", - "LabelComponentsUpdated": "I seguenti componenti sono stati installati o aggiornati:", + "CategoryApplication": "Applicazione", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Titolo messaggio:", - "ButtonNext": "Prossimo", - "MessagePleaseRestartServerToFinishUpdating": "Si prega di riavviare il server per completare l'applicazione degli aggiornamenti.", "LabelAvailableTokens": "Gettoni disponibili:", + "AdditionalNotificationServices": "Sfoglia il catalogo plugin per installare i servizi di notifica aggiuntivi.", + "OptionAllUsers": "Tutti gli utenti", + "OptionAdminUsers": "Amministratori", + "OptionCustomUsers": "Personalizza", + "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": "Traccia Successiva", + "ButtonStop": "Stop", + "ButtonPause": "Pausa", + "ButtonNext": "Prossimo", "ButtonPrevious": "Precedente", - "LabelSkipIfGraphicalSubsPresent": "Salta se il video contiene gi\u00e0 i sottotitoli grafici", - "LabelSkipIfGraphicalSubsPresentHelp": "Mantenere le versioni testuali dei sottotitoli si tradurr\u00e0 in una riproduzione pi\u00f9 efficiente e diminuir\u00e0 la probabilit\u00e0 che sia necessaria la transcodifica video", + "LabelGroupMoviesIntoCollections": "Raggruppa i film nelle collezioni", + "LabelGroupMoviesIntoCollectionsHelp": "Quando si visualizzano le liste di film, quelli 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": "Contenuti Speciali", + "HeaderCollections": "Collezioni", "LabelProfileCodecsHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i codec.", - "LabelSkipIfAudioTrackPresent": "Ignora se la traccia audio di default corrisponde alla lingua di download", "LabelProfileContainersHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i contenitori.", - "LabelSkipIfAudioTrackPresentHelp": "Deselezionare questa opzione per assicurare che tutti i video hanno i sottotitoli, a prescindere dalla lingua audio.", "HeaderResponseProfile": "Risposta Profilo", "LabelType": "Tipo:", - "HeaderHelpImproveProject": "Aiuta a migliorare Emby", + "LabelPersonRole": "Ruolo:", + "LabelPersonRoleHelp": "Ruolo \u00e8 generalmente applicabile solo agli attori.", "LabelProfileContainer": "Contenitore:", "LabelProfileVideoCodecs": "Codec Video:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Codec Audio:", "LabelProfileCodecs": "Codec:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Profilo Direct Play", - "ButtonClose": "Chiudi", - "TabView": "Vista", - "TabSort": "Ordina", "HeaderTranscodingProfile": "Profilo Transcodifica", - "HeaderBecomeProjectSupporter": "Diventa un Supporter di Emby", - "OptionNone": "Nessuno", - "TabFilter": "Filtra", - "HeaderLiveTv": "Diretta TV", - "ButtonView": "Vista", "HeaderCodecProfile": "Profilo Codec", - "HeaderReports": "Rapporti", - "LabelPageSize": "Limite articolo:", "HeaderCodecProfileHelp": "I Profili Codec indicano i limiti di un dispositivo durante la riproduzione di codec specifici. Se una limitazione corrisponde i media saranno sottoposti a transcodifica, anche se il codec \u00e8 configurato per la riproduzione diretta.", - "HeaderMetadataManager": "Manager Metadati", - "LabelView": "Vista:", - "ViewTypePlaylists": "Playlist", - "HeaderPreferences": "Preferenze", "HeaderContainerProfile": "Profilo Contenitore", - "MessageLoadingChannels": "Sto caricando il contenuto del canale", - "ButtonMarkRead": "Segna come letto", "HeaderContainerProfileHelp": "i Profili indicano i limiti di un dispositivo quando si riproducono formati specifici. Se una limitazione corrisponde i media verranno sottoposti a transcodifica, anche se il formato \u00e8 configurato per la riproduzione diretta.", - "LabelAlbumArtists": "Artisti:", - "OptionDefaultSort": "Predefinito", - "OptionCommunityMostWatchedSort": "Pi\u00f9 visti", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Riproduzione video interrotta", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Mie viste", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio Fermato", - "ButtonVolumeUp": "Aumenta Volume", - "OptionLatestTvRecordings": "Ultime registrazioni", - "NotificationOptionGamePlaybackStopped": "Gioco Fermato", - "ButtonVolumeDown": "Diminuisci volume", - "ButtonMute": "Muto", "OptionProfilePhoto": "Foto", "LabelUserLibrary": "Libreria utente:", "LabelUserLibraryHelp": "Selezionare la libreria utente da visualizzare sul dispositivo. Lasciare vuoto per ereditare l'impostazione predefinita.", - "ButtonArrowUp": "Su", "OptionPlainStorageFolders": "Visualizzare tutte le cartelle come normali cartelle di archiviazione", - "LabelChapterName": "Capitolo {0}", - "NotificationOptionCameraImageUploaded": "Immagine fotocamera caricata", - "ButtonArrowDown": "Gi\u00f9", "OptionPlainStorageFoldersHelp": "Se abilitato, tutte le cartelle sono rappresentate in DIDL come \"object.container.storageFolder\" invece che di tipo pi\u00f9 specifico, come \"object.container.person.musicArtist\".", - "HeaderNewApiKey": "Nuova Chiave Api", - "ButtonArrowLeft": "Sinistra", "OptionPlainVideoItems": "Mostra tutti i video come normali file video", - "LabelAppName": "Nome app", - "ButtonArrowRight": "Destra", - "LabelAppNameExample": "Esempio: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Indietro", "OptionPlainVideoItemsHelp": "Se attivato, tutti i video sono rappresentati in DIDL come \"object.item.videoItem\" invece che di tipo pi\u00f9 specifico, come \"object.item.videoItem.movie\".", - "HeaderNewApiKeyHelp": "Concedere un permesso per applicazione al fine di comunicare con il Server Emby.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Tipi di media supportati:", - "ButtonPageUp": "Pagina Su", "TabIdentification": "Identificazione", - "ButtonPageDown": "Pagina Gi\u00f9", + "HeaderIdentification": "Identificazione", "TabDirectPlay": "Riproduzione Diretta", - "PageAbbreviation": "PG", "TabContainers": "Contenitori", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limitare la dimensione della cartella canale di download.", - "ButtonSettings": "Impostazioni", "TabResponses": "Risposte", - "ButtonTakeScreenshot": "Cattura schermata", "HeaderProfileInformation": "Informazioni sul profilo", - "ButtonLetterUp": "Lettera Su", - "ButtonLetterDown": "Lettera Gi\u00f9", "LabelEmbedAlbumArtDidl": "Inserisci le copertine degli Album in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Alcuni dispositivi preferiscono questo metodo per ottenere le copertine degli album. Altri possono non riuscire a riprodurli con questa opzione abilitata.", - "LetterButtonAbbreviation": "e", - "PlaceholderUsername": "Username", - "TabNowPlaying": "In esecuzione", "LabelAlbumArtPN": "Copertine Album PN:", - "TabNavigation": "Navigazione", "LabelAlbumArtHelp": "PN utilizzato per le copertine degli album, all'interno del DLNA: attributo di ProfileId su upnp:albumArtURI. Alcuni client richiedono un valore specifico, indipendentemente dalla dimensione dell'immagine.", "LabelAlbumArtMaxWidth": "Larghezza massima copertina Album:", "LabelAlbumArtMaxWidthHelp": "Risoluzione massima copertina Album inviata tramite upnp:albumArtURI", "LabelAlbumArtMaxHeight": "Altezza massima copertina Album:", - "ButtonFullscreen": "Tutto Schermo", "LabelAlbumArtMaxHeightHelp": "Risoluzione massima copertina Album inviata tramite upnp:albumArtURI", - "HeaderDisplaySettings": "Configurazione Monitor", - "ButtonAudioTracks": "Tracce audio", "LabelIconMaxWidth": "Larghezza massima Icona:", - "TabPlayTo": "Riproduci su", - "HeaderFeatures": "Caratteristiche", "LabelIconMaxWidthHelp": "Risoluzione massima delle icone inviate tramite upnp:icon.", - "LabelEnableDlnaServer": "Abilita server DLNA", - "HeaderAdvanced": "Avanzato", "LabelIconMaxHeight": "Altezza Icona massima:", - "LabelEnableDlnaServerHelp": "Consente ai dispositivi UPnP nella tua rete di sfogliare i contenuti di Emby e riprodurli", "LabelIconMaxHeightHelp": "Risoluzione massima delle icone inviate tramite upnp:icon.", - "LabelEnableBlastAliveMessages": "Invia segnale di presenza", "LabelIdentificationFieldHelp": "Una stringa o espressione regex sensibile a maiuscole e minuscole.", - "LabelEnableBlastAliveMessagesHelp": "Attivare questa opzione se il server non viene rilevato in modo affidabile da altri dispositivi UPnP in rete.", - "CategoryApplication": "Applicazione", "HeaderProfileServerSettingsHelp": "Questi valori controllano come il Server Emby si presenter\u00e0 ad un dispositivo.", - "LabelBlastMessageInterval": "Intervallo messaggi di presenza (secondi)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Bitrate Massimo:", - "LabelBlastMessageIntervalHelp": "Determina la durata in secondi tra i messaggi di presenza del server.", - "NotificationOptionPluginError": "Plugin fallito", "LabelMaxBitrateHelp": "Specificare un bitrate massimo in presenza di larghezza di banda limitata, o se il dispositivo impone il proprio limite.", - "LabelDefaultUser": "Utente Predefinito:", + "LabelMaxStreamingBitrate": "Massimo Bitrate streaming", + "LabelMaxStreamingBitrateHelp": "Specifica il bitrate massimo per lo streaming", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Informazioni Server", - "LabelDefaultUserHelp": "Determina quale libreria utente deve essere visualizzato sui dispositivi collegati. Questo pu\u00f2 essere disattivata tramite un profilo di dispositivo.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Se abilitata, queste richieste saranno onorate, ma ignorano l'intervallo di byte.", "LabelFriendlyName": "Nome Condiviso", "LabelManufacturer": "Produttore", - "ViewTypeMovies": "Film", "LabelManufacturerUrl": "Url Produttore", - "TabNextUp": "Da vedere", - "ViewTypeTvShows": "Serie Tv", "LabelModelName": "Nome Modello", - "ViewTypeGames": "Giochi", "LabelModelNumber": "Numero Modello", - "ViewTypeMusic": "Musica", "LabelModelDescription": "Descrizione Modello", - "LabelDisplayCollectionsViewHelp": "Questo creer\u00e0 una vista separata per le collezioni che si ha creato o alle quali si ha accesso. Per creare una collezione, cliccare con il tasto destro o effettuare un tocco prolungato su un film e selezionare \"Aggiungi alla collezione\" .", - "ViewTypeBoxSets": "Collezioni", "LabelModelUrl": "Url Modello", - "HeaderOtherDisplaySettings": "Impostazioni Video", "LabelSerialNumber": "Numero di serie", "LabelDeviceDescription": "Descrizione dispositivo", - "LabelSelectFolderGroups": "Raggruppa i contenuti delle seguenti cartelle in viste come Film, Musica e Serie TV", "HeaderIdentificationCriteriaHelp": "Inserire almeno un criterio di identificazione.", - "LabelSelectFolderGroupsHelp": "Le cartelle che sono deselezionate verranno visualizzate ognuna con la propria vista", "HeaderDirectPlayProfileHelp": "Aggiungere \"profili riproduzione diretta\" per indicare i formati che il dispositivo \u00e8 in grado di gestire in modo nativo.", "HeaderTranscodingProfileHelp": "Aggiungere i profili di transcodifica per indicare quali formati utilizzare quando \u00e8 richiesta la transcodifica.", - "ViewTypeLiveTvNowPlaying": "Ora in onda", "HeaderResponseProfileHelp": "Profili di risposta forniscono un modo per personalizzare le informazioni inviate al dispositivo durante la riproduzione di alcuni tipi di media.", - "ViewTypeMusicFavorites": "Preferiti", - "ViewTypeLatestGames": "Ultimi Giorchi", - "ViewTypeMusicSongs": "Canzoni", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Album preferiti", - "ViewTypeRecentlyPlayedGames": "Guardato di recente", "LabelXDlnaCapHelp": "Determina il contenuto dell'elemento X_DLNACAP in urn:schemas-dlna-org:device-1-0", - "ViewTypeMusicFavoriteArtists": "Artisti preferiti", - "ViewTypeGameFavorites": "Preferiti", - "HeaderViewOrder": "Visualizza ordine", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Canzoni Preferite", - "HeaderHttpHeaders": "Intestazioni Http", - "ViewTypeGameSystems": "Configurazione gioco", - "LabelSelectUserViewOrder": "Scegli l'ordine in cui le tue viste saranno mostrate all'interno della app di Emby", "LabelXDlnaDocHelp": "Determina il contenuto dell'elemento X_DLNACAP nella urn: schemas-DLNA-org: dispositivo 1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Generi", - "MessageNoChapterProviders": "Installare un plugin provider capitoli come ChapterDb per attivare le opzioni capitolo aggiuntive.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "valore:", - "ViewTypeTvResume": "Riprendi", - "TabChapters": "capitoli", "LabelSonyAggregationFlagsHelp": "Determina il contenuto dell'elemento aggregationFlags in urn:schemas-sonycom: namespace av.", - "ViewTypeMusicGenres": "Generi", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Prossimi", + "LabelTranscodingContainer": "contenitore:", + "LabelTranscodingVideoCodec": "Codec Video:", + "LabelTranscodingVideoProfile": "Profilo Video:", + "LabelTranscodingAudioCodec": "Codec Audio:", + "OptionEnableM2tsMode": "Attiva modalit\u00e0 M2TS", + "OptionEnableM2tsModeHelp": "Attivare la modalit\u00e0 m2ts durante la codifica di mpegts.", + "OptionEstimateContentLength": "Stimare la lunghezza contenuto durante la transcodifica", + "OptionReportByteRangeSeekingWhenTranscoding": "Segnala che il server supporta la ricerca di byte durante la transcodifica", + "OptionReportByteRangeSeekingWhenTranscodingHelp": "Questo \u00e8 necessario per alcuni dispositivi che non hanno l'avanzamento rapido che funziona bene.", + "HeaderSubtitleDownloadingHelp": "Quando Emby fa la scansione dei tuoi file video pu\u00f2 cercare i sottotitoli mancanti e scaricarli usando un provider come OpenSubtitles.org.", + "HeaderDownloadSubtitlesFor": "Scarica sottotitoli per:", + "MessageNoChapterProviders": "Installare un plugin provider capitoli come ChapterDb per attivare le opzioni capitolo aggiuntive.", + "LabelSkipIfGraphicalSubsPresent": "Salta se il video contiene gi\u00e0 i sottotitoli grafici", + "LabelSkipIfGraphicalSubsPresentHelp": "Mantenere le versioni testuali dei sottotitoli si tradurr\u00e0 in una riproduzione pi\u00f9 efficiente e diminuir\u00e0 la probabilit\u00e0 che sia necessaria la transcodifica video", + "TabSubtitles": "Sottotitoli", + "TabChapters": "capitoli", "HeaderDownloadChaptersFor": "Scarica i nomi dei capitoli per:", + "LabelOpenSubtitlesUsername": "Nome utente Open Subtitles:", + "LabelOpenSubtitlesPassword": "Password Open Subtitles:", + "HeaderChapterDownloadingHelp": "Quando Emby esegue la scansione dei file video pu\u00f2 scaricare i nomi dei capitoli in modo semplice da internet utilizzando plugin di ricerca capitoli 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 disponibile.", + "LabelDisplayPluginsFor": "Mostra plugin per:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby Theater", + "LabelEpisodeNamePlain": "Nome Episodio", + "LabelSeriesNamePlain": "Nome Serie", + "ValueSeriesNamePeriod": "Nome Serie", + "ValueSeriesNameUnderscore": "Nome Serie", + "ValueEpisodeNamePeriod": "Titolo Episodio", + "ValueEpisodeNameUnderscore": "Titolo Episodio", + "LabelSeasonNumberPlain": "Stagione numero", + "LabelEpisodeNumberPlain": "Episodio numero", + "LabelEndingEpisodeNumberPlain": "Numero ultimo episodio", + "HeaderTypeText": "Inserisci il testo", + "LabelTypeText": "Testo", + "HeaderSearchForSubtitles": "Ricerca per sottotitoli", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "Nessun elemento trovato", + "TabDisplay": "Schermo", + "TabLanguages": "Lingue", + "TabAppSettings": "App Settings", + "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": "Pagina Iniziale", + "HeaderSettingsForThisDevice": "Configurazione per questo dispositivo", + "OptionAuto": "Automatico", + "OptionYes": "Si", + "OptionNo": "No", + "HeaderOptions": "Opzioni", + "HeaderIdentificationResult": "Risultati Identificazione", + "LabelHomePageSection1": "Pagina Iniziale Sezione 1:", + "LabelHomePageSection2": "Pagina Iniziale Sezione 2:", + "LabelHomePageSection3": "Pagina Iniziale Sezione 3:", + "LabelHomePageSection4": "Pagina Iniziale Sezione 4:", + "OptionMyMediaButtons": "I mei media (pulsanti)", + "OptionMyMedia": "I mei media", + "OptionMyMediaSmall": "I mei media (piccolo)", + "OptionResumablemedia": "Riprendi", + "OptionLatestMedia": "Ultimi media", + "OptionLatestChannelMedia": "Ultime voci del canale", + "HeaderLatestChannelItems": "Ultime Canale Articoli", + "OptionNone": "Nessuno", + "HeaderLiveTv": "Diretta TV", + "HeaderReports": "Rapporti", + "HeaderMetadataManager": "Manager Metadati", + "HeaderSettings": "Configurazione", + "MessageLoadingChannels": "Sto caricando il contenuto del canale", + "MessageLoadingContent": "Caricamento contenuto....", + "ButtonMarkRead": "Segna come letto", + "OptionDefaultSort": "Predefinito", + "OptionCommunityMostWatchedSort": "Pi\u00f9 visti", + "TabNextUp": "Da vedere", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Diventa un Supporter di Emby", + "MessageNoMovieSuggestionsAvailable": "Nessun suggerimento di film attualmente disponibile. Iniziare a guardare e valutare i vostri film, e poi tornare per i suggerimenti.", + "MessageNoCollectionsAvailable": "Le collezioni ti permettono di goderti raccolte personalizzate di Film, Serie TV, Album, Libri e Giochi. Clicca sul + per iniziare a creare le tue 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", + "ButtonDismiss": "Cancella", + "ButtonEditOtherUserPreferences": "Modifica questo utente di profilo, l'immagine e le preferenze personali.", + "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 streaming continuo.", + "OptionBestAvailableStreamQuality": "Migliore disponibile", + "LabelEnableChannelContentDownloadingFor": "Abilita il download del contenuto del canale per:", + "LabelEnableChannelContentDownloadingForHelp": "Alcuni canali supportano il download di contenuti prima di essere visti. Attivare questa opzione in ambienti con bassa larghezza di banda per scaricare i contenuti del canale durante le ore di assenza. Il contenuto viene scaricato come parte del download pianificato.", + "LabelChannelDownloadPath": "Percorso contenuti dei canali scaricati:", + "LabelChannelDownloadPathHelp": "Specificare un percorso di download personalizzato se lo desideri. Lasciare vuoto per scaricare in una cartella dati interna al programma.", + "LabelChannelDownloadAge": "Elimina contenuto dopo: (giorni)", + "LabelChannelDownloadAgeHelp": "Contenuti scaricati pi\u00f9 vecchi di questo limite sarnno cancellati. Rimarranno riproducibili via internet in streaming.", + "ChannelSettingsFormHelp": "Installare canali come Trailer e Vimeo nel catalogo plugin.", + "ButtonOptions": "Opzioni", + "ViewTypePlaylists": "Playlist", + "ViewTypeMovies": "Film", + "ViewTypeTvShows": "Serie Tv", + "ViewTypeGames": "Giochi", + "ViewTypeMusic": "Musica", + "ViewTypeMusicGenres": "Generi", "ViewTypeMusicArtists": "Artisti", - "OptionEquals": "Uguale", + "ViewTypeBoxSets": "Collezioni", + "ViewTypeChannels": "Canali", + "ViewTypeLiveTV": "TV in 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", - "HeaderChapterDownloadingHelp": "Quando Emby esegue la scansione dei file video pu\u00f2 scaricare i nomi dei capitoli in modo semplice da internet utilizzando plugin di ricerca capitoli come ChapterDb.", - "LabelTranscodingContainer": "contenitore:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Codec Video:", - "OptionSubstring": "Sottostringa", + "ViewTypeTvShowSeries": "Serie", "ViewTypeTvGenres": "Generi", - "LabelTranscodingVideoProfile": "Profilo Video:", + "ViewTypeTvFavoriteSeries": "Serie Preferite", + "ViewTypeTvFavoriteEpisodes": "Episodi Preferiti", + "ViewTypeMovieResume": "Riprendi", + "ViewTypeMovieLatest": "Ultimi", + "ViewTypeMovieMovies": "Film", + "ViewTypeMovieCollections": "Collezioni", + "ViewTypeMovieFavorites": "Preferiti", + "ViewTypeMovieGenres": "Generi", + "ViewTypeMusicLatest": "Ultimi", + "ViewTypeMusicPlaylists": "Playlist", + "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": "Raggruppa i contenuti delle seguenti cartelle in viste come Film, Musica e Serie TV", + "LabelSelectFolderGroupsHelp": "Le cartelle che sono deselezionate verranno visualizzate ognuna con la propria vista", + "OptionDisplayAdultContent": "Visualizza 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 richieste GetProtocolInfo dal dispositivo.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby include il supporto nativo per i file di metadati di tipo NFO. Per attivare o disattivare i metadati NFO, utilizza la scheda Avanzate per configurare le opzioni per i tuoi tipi di file multimediali.", + "LabelKodiMetadataUser": "Sincronizza i dati utente a nfo di per:", + "LabelKodiMetadataUserHelp": "Abilita questa opzione per mantenere i dati di orologio sincronizzati tra il Server Emby e i file NFO.", + "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.", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "Vedere la sostituzione percorso.", + "LabelGroupChannelsIntoViews": "Visualizzare i seguenti canali direttamente dentro le mie visite:", + "LabelGroupChannelsIntoViewsHelp": "Se abilitata, questi canali verranno visualizzati direttamente con altre viste. Se disattivato, saranno visualizzati all'interno di una sezione Canali separata.", + "LabelDisplayCollectionsView": "Mostra le Collezioni di film", + "LabelDisplayCollectionsViewHelp": "Questo creer\u00e0 una vista separata per le collezioni che si ha creato o alle quali si ha accesso. Per creare una collezione, cliccare con il tasto destro o effettuare un tocco prolungato su un film e selezionare \"Aggiungi alla collezione\" .", + "LabelKodiMetadataEnableExtraThumbs": "Copia extrafanart in extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Copia extrafanart in extrathumbs", "TabServices": "Servizi", - "LabelTranscodingAudioCodec": "Codec Audio:", - "ViewTypeMovieResume": "Riprendi", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Attiva modalit\u00e0 M2TS", - "ViewTypeMovieLatest": "Ultimi", "HeaderServerLogFiles": "File log del Server:", - "OptionEnableM2tsModeHelp": "Attivare la modalit\u00e0 m2ts durante la codifica di mpegts.", - "ViewTypeMovieMovies": "Film", "TabBranding": "Personalizza", - "OptionEstimateContentLength": "Stimare la lunghezza contenuto durante la transcodifica", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collezioni", "HeaderBrandingHelp": "Personalizza l'aspetto di Emby per soddisfare le esigenze del tuo gruppo o della tua organizzazione.", - "OptionReportByteRangeSeekingWhenTranscoding": "Segnala che il server supporta la ricerca di byte durante la transcodifica", - "HeaderLocalAccess": "Accesso locale", - "ViewTypeMovieFavorites": "Preferiti", "LabelLoginDisclaimer": "Avviso Login:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Questo \u00e8 necessario per alcuni dispositivi che non hanno l'avanzamento rapido che funziona bene.", - "ViewTypeMovieGenres": "Generi", "LabelLoginDisclaimerHelp": "Questo verr\u00e0 visualizzato nella parte inferiore della pagina di accesso.", - "ViewTypeMusicLatest": "Ultimi", "LabelAutomaticallyDonate": "Donare automaticamente questo importo ogni mese", - "ViewTypeMusicAlbums": "Album", "LabelAutomaticallyDonateHelp": "\u00c8 possibile annullare in qualsiasi momento tramite il vostro conto PayPal.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artisti", - "LabelDownMixAudioScale": "Boost audio durante il downmix:", - "ButtonSync": "Sinc.", - "LabelPlayDefaultAudioTrack": "Riprodurre la traccia audio di default indipendentemente dalla lingua", - "LabelDownMixAudioScaleHelp": "Aumenta il volume durante il downmix. Impostalo su 1 per mantenere il volume originale", - "LabelHomePageSection4": "Pagina Iniziale Sezione 4:", - "HeaderChapters": "Capitoli", - "LabelSubtitlePlaybackMode": "Modalit\u00e0 Sottotitolo:", - "HeaderDownloadPeopleMetadataForHelp": "Abilitando il provider scaricher\u00e0 pi\u00f9 informazioni ( la scansione sar\u00e0 pi\u00f9 lenta)", - "ButtonLinkKeys": "Trasferisci chiavi", - "OptionLatestChannelMedia": "Ultime voci del canale", - "HeaderResumeSettings": "Recupera impostazioni", - "ViewTypeFolders": "Cartelle", - "LabelOldSupporterKey": "Vecchie Chiavi Donatore", - "HeaderLatestChannelItems": "Ultime Canale Articoli", - "LabelDisplayFoldersView": "Visualizza cartelle come normali cartelle dei media", - "LabelNewSupporterKey": "Nuova Chiave Sostenitore:", - "TitleRemoteControl": "Telecomando", - "ViewTypeLiveTvRecordingGroups": "Registrazioni", - "HeaderMultipleKeyLinking": "Trasferimento nuova chiave", - "ViewTypeLiveTvChannels": "canali", - "MultipleKeyLinkingHelp": "Se hai ricevuto una nuova Chiave Sostenitore, utilizza questo modulo per trasferire le registrazioni della vecchia chiave a quella nuova.", - "LabelCurrentEmailAddress": "Indirizzo mail attuale", - "LabelCurrentEmailAddressHelp": "L'indirizzo email attuale a cui la nuova chiave \u00e8 stata inviata.", - "HeaderForgotKey": "Chiave dimenticata", - "TabControls": "Controlli", - "LabelEmailAddress": "Indirizzo email", - "LabelSupporterEmailAddress": "La mail che \u00e8 stata utilizzata per acquistare la chiave", - "ButtonRetrieveKey": "Recupera chiave", - "LabelSupporterKey": "Chiave (incollala dalla mail ricevuta)", - "LabelSupporterKeyHelp": "Inserisci il tuo codice Supporter per iniziare a goderti ulteriori funzioni che la community ha sviluppato per Emby", - "MessageInvalidKey": "Chiave Sostenitore mancante o non valida.", - "ErrorMessageInvalidKey": "Affinch\u00e8 un contenuto premium venga registrato, tu devi anche essere un Supporter di Emby. Per favore, fai una donazione e supporta il continuo sviluppo del prodotto principale. Grazie", - "HeaderEpisodes": "Episodi:", - "UserDownloadingItemWithValues": "{0} sta scaricando {1}", - "OptionMyMediaButtons": "I mei media (pulsanti)", - "HeaderHomePage": "Pagina Iniziale", - "HeaderSettingsForThisDevice": "Configurazione per questo dispositivo", - "OptionMyMedia": "I mei media", - "OptionAllUsers": "Tutti gli utenti", - "ButtonDismiss": "Cancella", - "OptionAdminUsers": "Amministratori", - "OptionDisplayAdultContent": "Visualizza contenuti per adulti", - "HeaderSearchForSubtitles": "Ricerca per sottotitoli", - "OptionCustomUsers": "Personalizza", - "ButtonMore": "Dettagli", - "MessageNoSubtitleSearchResultsFound": "Nessun elemento trovato", + "OptionList": "Lista", + "TabDashboard": "Pannello Controllo", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Log:", + "LabelMetadata": "Metadati:", + "LabelImagesByName": "Immagini per nome:", + "LabelTranscodingTemporaryFiles": "Transcodifica file temporanei:", "HeaderLatestMusic": "Musica Recente", - "OptionMyMediaSmall": "I mei media (piccolo)", - "TabDisplay": "Schermo", "HeaderBranding": "Personalizza", - "TabLanguages": "Lingue", "HeaderApiKeys": "Chiavi Api", - "LabelGroupChannelsIntoViews": "Visualizzare i seguenti canali direttamente dentro le mie visite:", "HeaderApiKeysHelp": "Le Applicazioni esterne devono avere una chiave API per comunicare con il Server Emby. Le chiavi sono emesse accedendo con un account Emby, o fornendo manualmente una chiave all'applicazione.", - "LabelGroupChannelsIntoViewsHelp": "Se abilitata, questi canali verranno visualizzati direttamente con altre viste. Se disattivato, saranno visualizzati all'interno di una sezione Canali separata.", - "LabelEnableThemeSongs": "Abilita tema canzoni", "HeaderApiKey": "Chiave Api", - "HeaderSubtitleDownloadingHelp": "Quando Emby fa la scansione dei tuoi file video pu\u00f2 cercare i sottotitoli mancanti e scaricarli usando un provider come OpenSubtitles.org.", - "LabelEnableBackdrops": "Abilita gli sfondi", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Scarica sottotitoli per:", - "LabelEnableThemeSongsHelp": "Se abiltato le canzoni a tema saranno riprodotte mentre visualizzi la tua libreria", "HeaderDevice": "Dispositivo", - "LabelEnableBackdropsHelp": "Se abilitato gli sfondi verranno riprodotti mentre visualizzi la tua libreria", "HeaderUser": "Utente", "HeaderDateIssued": "data di pubblicazione", - "TabSubtitles": "Sottotitoli", - "LabelOpenSubtitlesUsername": "Nome utente Open Subtitles:", - "OptionAuto": "Automatico", - "LabelOpenSubtitlesPassword": "Password Open Subtitles:", - "OptionYes": "Si", - "OptionNo": "No", - "LabelDownloadLanguages": "Scarica lingue:", - "LabelHomePageSection1": "Pagina Iniziale Sezione 1:", - "ButtonRegister": "Registro", - "LabelHomePageSection2": "Pagina Iniziale Sezione 2:", - "LabelHomePageSection3": "Pagina Iniziale Sezione 3:", - "OptionResumablemedia": "Riprendi", - "ViewTypeTvShowSeries": "Serie", - "OptionLatestMedia": "Ultimi media", - "ViewTypeTvFavoriteSeries": "Serie Preferite", - "ViewTypeTvFavoriteEpisodes": "Episodi Preferiti", - "LabelEpisodeNamePlain": "Nome Episodio", - "LabelSeriesNamePlain": "Nome Serie", - "LabelSeasonNumberPlain": "Stagione numero", - "LabelEpisodeNumberPlain": "Episodio numero", - "OptionLibraryFolders": "Cartelle dei media", - "LabelEndingEpisodeNumberPlain": "Numero ultimo episodio", + "LabelChapterName": "Capitolo {0}", + "HeaderNewApiKey": "Nuova Chiave Api", + "LabelAppName": "Nome app", + "LabelAppNameExample": "Esempio: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Concedere un permesso per applicazione al fine di comunicare con il Server Emby.", + "HeaderHttpHeaders": "Intestazioni Http", + "HeaderIdentificationHeader": "Identification Header", + "LabelValue": "valore:", + "LabelMatchType": "Match type:", + "OptionEquals": "Uguale", + "OptionRegex": "Regex", + "OptionSubstring": "Sottostringa", + "TabView": "Vista", + "TabSort": "Ordina", + "TabFilter": "Filtra", + "ButtonView": "Vista", + "LabelPageSize": "Limite articolo:", + "LabelPath": "Percorso:", + "LabelView": "Vista:", + "TabUsers": "Utenti", + "LabelSortName": "Nome ordinato:", + "LabelDateAdded": "Aggiunto il", + "HeaderFeatures": "Caratteristiche", + "HeaderAdvanced": "Avanzato", + "ButtonSync": "Sinc.", + "TabScheduledTasks": "Operazioni pianificate", + "HeaderChapters": "Capitoli", + "HeaderResumeSettings": "Recupera impostazioni", + "TabSync": "Sinc", + "TitleUsers": "Utenti", + "LabelProtocol": "Protocollo:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Contenuto:", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Sinc", + "ButtonAddToPlaylist": "Aggiungi alla playlist", + "TabPlaylists": "Playlists", + "ButtonClose": "Chiudi", "LabelAllLanguages": "Tutte le lingue", "HeaderBrowseOnlineImages": "Sfoglia le immagini sul web", "LabelSource": "Origine:", @@ -939,509 +1067,388 @@ "LabelImage": "Immagine:", "ButtonBrowseImages": "Sfoglia immagini", "HeaderImages": "Immagini", - "LabelReleaseDate": "Data di rilascio:", "HeaderBackdrops": "Sfondi", - "HeaderOptions": "Opzioni", - "LabelWeatherDisplayLocation": "Localit\u00e0 previsioni meteo", - "TabUsers": "Utenti", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "Fine data:", "HeaderScreenshots": "Immagini", - "HeaderIdentificationResult": "Risultati Identificazione", - "LabelWeatherDisplayLocationHelp": "Citt\u00e0, Stato", - "LabelYear": "Anno:", "HeaderAddUpdateImage": "Aggiungi\/aggiorna immagine", - "LabelWeatherDisplayUnit": "Unit\u00e0 di Misura", "LabelJpgPngOnly": "JPG\/PNG solamente", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Tipo immagine", - "HeaderActivity": "Attivit\u00e0", - "LabelChannelDownloadSizeLimit": "Dimensione massima Download (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primaria", - "ScheduledTaskStartedWithName": "{0} Avviati", - "MessageLoadingContent": "Caricamento contenuto....", - "HeaderRequireManualLogin": "Richiedi l'inserimento manuale nome utente per:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} cancellati", - "NotificationOptionUserLockedOut": "Utente bloccato", - "HeaderRequireManualLoginHelp": "Quando i client disabilitati possono presentare una schermata di login con una selezione visuale di utenti.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completati", - "OptionOtherApps": "Altre apps", - "TabScheduledTasks": "Operazioni pianificate", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Operazione pianificata completata", - "OptionMobileApps": "App dispositivi mobili", "OptionDisc": "Disco", - "PluginInstalledWithName": "{0} sono stati Installati", "OptionIcon": "Icona", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} sono stati aggiornati", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} non sono stati installati", "OptionScreenshot": "Immagine", - "ButtonScenes": "Scene", - "ScheduledTaskFailedWithName": "{0} Falliti", - "UserLockedOutWithName": "L'utente {0} \u00e8 stato bloccato", "OptionLocked": "Bloccato", - "ButtonSubtitles": "Sottotitoli", - "ItemAddedWithName": "{0} aggiunti alla libreria", "OptionUnidentified": "Non identificata", - "ItemRemovedWithName": "{0} rimossi dalla libreria", "OptionMissingParentalRating": "Voto genitori mancante", - "HeaderCollections": "Collezioni", - "DeviceOnlineWithName": "{0} \u00e8 connesso", "OptionStub": "Stub", + "HeaderEpisodes": "Episodi:", + "OptionSeason0": "Stagione 0", + "LabelReport": "Report:", + "OptionReportSongs": "Canzoni", + "OptionReportSeries": "Series", + "OptionReportSeasons": "Stagioni", + "OptionReportTrailers": "Trailers", + "OptionReportMusicVideos": "Video musicali", + "OptionReportMovies": "Film", + "OptionReportHomeVideos": "Video personali", + "OptionReportGames": "Giochi", + "OptionReportEpisodes": "Episodi", + "OptionReportCollections": "Collezioni", + "OptionReportBooks": "Libri", + "OptionReportArtists": "Cantanti", + "OptionReportAlbums": "Album", + "OptionReportAdultVideos": "Video x adulti", + "HeaderActivity": "Attivit\u00e0", + "ScheduledTaskStartedWithName": "{0} Avviati", + "ScheduledTaskCancelledWithName": "{0} cancellati", + "ScheduledTaskCompletedWithName": "{0} completati", + "ScheduledTaskFailed": "Operazione pianificata completata", + "PluginInstalledWithName": "{0} sono stati Installati", + "PluginUpdatedWithName": "{0} sono stati aggiornati", + "PluginUninstalledWithName": "{0} non sono stati installati", + "ScheduledTaskFailedWithName": "{0} Falliti", + "ItemAddedWithName": "{0} aggiunti alla libreria", + "ItemRemovedWithName": "{0} rimossi dalla libreria", + "DeviceOnlineWithName": "{0} \u00e8 connesso", "UserOnlineFromDevice": "{0} \u00e8 online da {1}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} \u00e8 stato disconesso", - "OptionList": "Lista", - "OptionSeason0": "Stagione 0", - "ButtonPause": "Pausa", "UserOfflineFromDevice": "{0} \u00e8 stato disconesso da {1}", - "TabDashboard": "Pannello Controllo", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Sottotitoli scaricati per {0}", - "TitleServer": "Server", - "OptionReportSongs": "Canzoni", "SubtitleDownloadFailureForItem": "Sottotitoli non scaricati per {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Durata: {0}", - "LabelLogs": "Log:", - "OptionReportSeasons": "Stagioni", "LabelIpAddressValue": "Indirizzo IP: {0}", - "LabelMetadata": "Metadati:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlist", + "UserLockedOutWithName": "L'utente {0} \u00e8 stato bloccato", "UserConfigurationUpdatedWithName": "Configurazione utente \u00e8 stata aggiornata per {0}", - "NotificationOptionNewLibraryContentMultiple": "Nuovi contenuti aggiunti (multipli)", - "LabelImagesByName": "Immagini per nome:", - "OptionReportMusicVideos": "Video musicali", "UserCreatedWithName": "Utente {0} \u00e8 stato creato", - "HeaderSendMessage": "Invia un messaggio", - "LabelTranscodingTemporaryFiles": "Transcodifica file temporanei:", - "OptionReportMovies": "Film", "UserPasswordChangedWithName": "Password utente cambiata per {0}", - "ButtonSend": "Invia", - "OptionReportHomeVideos": "Video personali", "UserDeletedWithName": "Utente {0} \u00e8 stato cancellato", - "LabelMessageText": "Testo del messaggio:", - "OptionReportGames": "Giochi", "MessageServerConfigurationUpdated": "Configurazione server aggioprnata", - "HeaderKodiMetadataHelp": "Emby include il supporto nativo per i file di metadati di tipo NFO. Per attivare o disattivare i metadati NFO, utilizza la scheda Avanzate per configurare le opzioni per i tuoi tipi di file multimediali.", - "OptionReportEpisodes": "Episodi", - "ButtonPreviousTrack": "Traccia Precedente", "MessageNamedServerConfigurationUpdatedWithValue": "La sezione {0} \u00e8 stata aggiornata", - "LabelKodiMetadataUser": "Sincronizza i dati utente a nfo di per:", - "OptionReportCollections": "Collezioni", - "ButtonNextTrack": "Traccia Successiva", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Il Server Emby \u00e8 stato aggiornato", - "LabelKodiMetadataUserHelp": "Abilita questa opzione per mantenere i dati di orologio sincronizzati tra il Server Emby e i file NFO.", - "OptionReportBooks": "Libri", - "HeaderServerSettings": "Impostazioni server", "AuthenticationSucceededWithUserName": "{0} Autenticati con successo", - "LabelKodiMetadataDateFormat": "Data di uscita Formato:", - "OptionReportArtists": "Cantanti", "FailedLoginAttemptWithUserName": "Login fallito da {0}", - "LabelKodiMetadataDateFormatHelp": "Tutte le date all'interno del nfo verranno letti e scritti utilizzando questo formato.", - "ButtonAddToPlaylist": "Aggiungi alla playlist", - "OptionReportAlbums": "Album", + "UserDownloadingItemWithValues": "{0} sta scaricando {1}", "UserStartedPlayingItemWithValues": "{0} \u00e8 partito da {1}", - "LabelKodiMetadataSaveImagePaths": "Salva percorsi delle immagini all'interno dei file NFO", - "LabelDisplayCollectionsView": "Mostra le Collezioni di film", - "AdditionalNotificationServices": "Sfoglia il catalogo plugin per installare i servizi di notifica aggiuntivi.", - "OptionReportAdultVideos": "Video x adulti", "UserStoppedPlayingItemWithValues": "{0} stoppato {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Questo \u00e8 consigliato se si dispone di nomi di file immagine che non sono conformi alle linee guida Kodi.", "AppDeviceValues": "App: {0}, Dispositivo: {1}", - "LabelMaxStreamingBitrate": "Massimo Bitrate streaming", - "LabelKodiMetadataEnablePathSubstitution": "Abilita sostituzione di percorso", - "LabelProtocolInfo": "Info protocollo:", "ProviderValue": "Provider: {0}", + "LabelChannelDownloadSizeLimit": "Dimensione massima Download (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Limitare la dimensione della cartella canale di download.", + "HeaderRecentActivity": "Attivit\u00e0 recenti", + "HeaderPeople": "Persone", + "HeaderDownloadPeopleMetadataFor": "Scarica biografia e immagini per:", + "OptionComposers": "Compositori", + "OptionOthers": "Altri", + "HeaderDownloadPeopleMetadataForHelp": "Abilitando il provider scaricher\u00e0 pi\u00f9 informazioni ( la scansione sar\u00e0 pi\u00f9 lenta)", + "ViewTypeFolders": "Cartelle", + "LabelDisplayFoldersView": "Visualizza cartelle come normali cartelle dei media", + "ViewTypeLiveTvRecordingGroups": "Registrazioni", + "ViewTypeLiveTvChannels": "canali", "LabelEasyPinCode": "Codice Pin", - "LabelMaxStreamingBitrateHelp": "Specifica il bitrate massimo per lo streaming", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Consente percorso sostituzione dei percorsi delle immagini utilizzando le impostazioni di sostituzione percorso del server.", - "LabelProtocolInfoHelp": "Il valore che verr\u00e0 utilizzato quando si risponde a richieste GetProtocolInfo dal dispositivo.", - "LabelMaxStaticBitrate": "Massimo sinc. Bitrate", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Vedere la sostituzione percorso.", - "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", "EasyPasswordHelp": "Il codice pin facile viene utilizzato per l'accesso offline con le app Emby supportate, e pu\u00f2 essere utilizzato anche per una facile accesso in rete.", - "LabelMaxStaticBitrateHelp": "Specifica il bitrate massimo quando sincronizzi ad alta qualit\u00e0", - "LabelKodiMetadataEnableExtraThumbs": "Copia extrafanart in extrathumbs", - "MessageNoPlaylistItemsAvailable": "Questa playlist al momento \u00e8 vuota", - "TabSync": "Sinc", - "LabelProtocol": "Protocollo:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Copia extrafanart in extrathumbs", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Ruolo:", "LabelInNetworkSignInWithEasyPassword": "Abilita l'accesso da rete locale tramite codice PIN.", - "TitleUsers": "Utenti", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Ruolo \u00e8 generalmente applicabile solo agli attori.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Percorso:", - "HeaderIdentification": "Identificazione", "LabelInNetworkSignInWithEasyPasswordHelp": "Se attivata, sarai in grado di utilizzare il tuo codice pin facile per accedere alle app di Emby all'interno della tua rete domestica. La tua password usuale sar\u00e0 necessaria solo per accedere alle app quando sei fuori casa. Se il codice PIN viene lasciato vuoto, non avrai bisogno di una password quando sei all'interno della tua rete domestica.", - "LabelContext": "Contenuto:", - "LabelSortName": "Nome ordinato:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Aggiunto il", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Accesso locale", + "HeaderViewOrder": "Visualizza ordine", "ButtonResetEasyPassword": "Resetta codice PIN", - "OptionContextStatic": "Sinc", + "LabelSelectUserViewOrder": "Scegli l'ordine in cui le tue viste saranno mostrate all'interno della app di Emby", "LabelMetadataRefreshMode": "Metadata (modo Aggiornamento)", - "ViewTypeChannels": "Canali", "LabelImageRefreshMode": "Immagine (modo Aggiornamento)", - "ViewTypeLiveTV": "TV in diretta", - "HeaderSendNotificationHelp": "Per impostazione predefinita, le notifiche vengono inviate alla casella della pagina principale. Sfoglia il catalogo plugin da installare opzioni di notifica aggiuntive.", "OptionDownloadMissingImages": "Immagini mancanti", "OptionReplaceExistingImages": "Sovrascrivi immagini esistenti", "OptionRefreshAllData": "Aggiorna tutti i dati", "OptionAddMissingDataOnly": "Aggiungi solo dati mancanti", "OptionLocalRefreshOnly": "Aggiorna solo locale", - "LabelGroupMoviesIntoCollections": "Raggruppa i film nelle collezioni", "HeaderRefreshMetadata": "Aggiorna metadati", - "LabelGroupMoviesIntoCollectionsHelp": "Quando si visualizzano le liste di film, quelli appartenenti ad una collezione saranno visualizzati come un elemento raggruppato.", "HeaderPersonInfo": "Persona Info", "HeaderIdentifyItem": "Identifica elemento", "HeaderIdentifyItemHelp": "Inserisci uno o pi\u00f9 criteri di ricerca. Rimuovi criteri di aumentare i risultati di ricerca.", - "HeaderLatestMedia": "Ultimi Media", + "HeaderConfirmDeletion": "Conferma Cancellazione", "LabelFollowingFileWillBeDeleted": "Il seguente file verr\u00e0 eliminato:", "LabelIfYouWishToContinueWithDeletion": "Se si desidera continuare, si prega di confermare inserendo il valore di:", - "OptionSpecialFeatures": "Contenuti Speciali", "ButtonIdentify": "Identifica", "LabelAlbumArtist": "Artista Album", + "LabelAlbumArtists": "Artisti:", "LabelAlbum": "Album:", "LabelCommunityRating": "Voto Comunit\u00e0:", "LabelVoteCount": "Totale Voti:", - "ButtonSearch": "Cerca", "LabelMetascore": "Punteggio:", "LabelCriticRating": "Voto dei critici:", "LabelCriticRatingSummary": "Critico sintesi valutazione:", "LabelAwardSummary": "Sintesi Premio:", - "LabelSeasonZeroFolderName": "Nome della cartella Stagione Zero:", "LabelWebsite": "Sito web:", - "HeaderEpisodeFilePattern": "Modello del file Episodio:", "LabelTagline": "Messaggio pers:", - "LabelEpisodePattern": "Modello Episodio:", "LabelOverview": "Trama:", - "LabelMultiEpisodePattern": "Modello dei multi-file episodio:", "LabelShortOverview": "Trama breve:", - "HeaderSupportedPatterns": "Modelli supportati", - "MessageNoMovieSuggestionsAvailable": "Nessun suggerimento di film attualmente disponibile. Iniziare a guardare e valutare i vostri film, e poi tornare per i suggerimenti.", - "LabelMusicStaticBitrate": "Musica sync bitrate:", + "LabelReleaseDate": "Data di rilascio:", + "LabelYear": "Anno:", "LabelPlaceOfBirth": "Luogo di nascita:", - "HeaderTerm": "Termine", - "MessageNoCollectionsAvailable": "Le collezioni ti permettono di goderti raccolte personalizzate di Film, Serie TV, Album, Libri e Giochi. Clicca sul + per iniziare a creare le tue Collezioni", - "LabelMusicStaticBitrateHelp": "Specifica il max Bitrate quando sincronizzi la musica", + "LabelEndDate": "Fine data:", "LabelAirDate": "In onda da (gg):", - "HeaderPattern": "Modello", - "LabelMusicStreamingTranscodingBitrate": "Musica trascodifica bitrate:", "LabelAirTime:": "In onda da:", - "HeaderNotificationList": "Fare clic su una notifica per configurarne le opzioni.", - "HeaderResult": "Risultato", - "LabelMusicStreamingTranscodingBitrateHelp": "Specifica il max Bitrate per lo streaming musica", "LabelRuntimeMinutes": "Durata ( minuti):", - "LabelNotificationEnabled": "Abilita questa notifica", - "LabelDeleteEmptyFolders": "Elimina le cartelle vuote dopo l'organizzazione automatica", - "HeaderRecentActivity": "Attivit\u00e0 recenti", "LabelParentalRating": "Voto genitori:", - "LabelDeleteEmptyFoldersHelp": "Attivare questa opzione per mantenere la directory di download pulita.", - "ButtonOsd": "Su Schermo", - "HeaderPeople": "Persone", "LabelCustomRating": "Voto personalizzato:", - "LabelDeleteLeftOverFiles": "Elimina i file rimasti con le seguenti estensioni:", - "MessageNoAvailablePlugins": "Nessun plugin disponibile.", - "HeaderDownloadPeopleMetadataFor": "Scarica biografia e immagini per:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "La riproduzione video \u00e8 iniziata", - "LabelDeleteLeftOverFilesHelp": "Separare con ;. Per esempio: .nfo;.txt", - "LabelDisplayPluginsFor": "Mostra plugin per:", - "OptionComposers": "Compositori", "LabelRevenue": "Fatturato ($):", - "NotificationOptionAudioPlayback": "Riproduzione audio iniziata", - "OptionOverwriteExistingEpisodes": "Sovrascrive gli episodi esistenti", - "OptionOthers": "Altri", "LabelOriginalAspectRatio": "Aspetto originale:", - "NotificationOptionGamePlayback": "Gioco avviato", - "LabelTransferMethod": "Metodo di trasferimento", "LabelPlayers": "Giocatore:", - "OptionCopy": "Copia", "Label3DFormat": "Formato 3D:", - "NotificationOptionNewLibraryContent": "Nuovo contenuto aggiunto", - "OptionMove": "Sposta", "HeaderAlternateEpisodeNumbers": "Numeri Episode alternativi", - "NotificationOptionServerRestartRequired": "Riavvio del server necessario", - "LabelTransferMethodHelp": "Copiare o spostare i file dalla cartella da monitorizzare", "HeaderSpecialEpisodeInfo": "Episodio Speciale Info", - "LabelMonitorUsers": "Monitorare l'attivit\u00e0 da:", - "HeaderLatestNews": "Ultime Novit\u00e0", - "ValueSeriesNamePeriod": "Nome Serie", "HeaderExternalIds": "Esterno Id di :", - "LabelSendNotificationToUsers": "Invia notifiche a:", - "ValueSeriesNameUnderscore": "Nome Serie", - "TitleChannels": "Canali", - "HeaderRunningTasks": "Operazioni in corso", - "HeaderConfirmDeletion": "Conferma Cancellazione", - "ValueEpisodeNamePeriod": "Titolo Episodio", - "LabelChannelStreamQuality": "Preferenziale qualit\u00e0 del flusso internet:", - "HeaderActiveDevices": "Dispositivi Connessi", - "ValueEpisodeNameUnderscore": "Titolo Episodio", - "LabelChannelStreamQualityHelp": "In un ambiente a bassa larghezza di banda, limitando la qualit\u00e0 pu\u00f2 contribuire a garantire un'esperienza di streaming continuo.", - "HeaderPendingInstallations": "installazioni in coda", - "HeaderTypeText": "Inserisci il testo", - "OptionBestAvailableStreamQuality": "Migliore disponibile", - "LabelUseNotificationServices": "Utilizzare i seguenti servizi:", - "LabelTypeText": "Testo", - "ButtonEditOtherUserPreferences": "Modifica questo utente di profilo, l'immagine e le preferenze personali.", - "LabelEnableChannelContentDownloadingFor": "Abilita il download del contenuto del canale per:", - "NotificationOptionApplicationUpdateAvailable": "Aggiornamento dell'applicazione disponibile", + "LabelDvdSeasonNumber": "Dvd stagione:", + "LabelDvdEpisodeNumber": "Numero episodio Dvd:", + "LabelAbsoluteEpisodeNumber": "Absolute Numero episodio:", + "LabelAirsBeforeSeason": "tempo prima della stagione:", + "LabelAirsAfterSeason": "tempo dopo della stagione:", "LabelAirsBeforeEpisode": "tempo prima episodio:", "LabelTreatImageAs": "Trattare come immagine:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Ordine visualizzazione:", "LabelDisplaySpecialsWithinSeasons": "Mostra gli Special all'interno delle stagioni in cui sono stati trasmessi", - "HeaderAddTag": "Aggiungi Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Paesi", "HeaderGenres": "Generi", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Trama", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Impostazioni metadati", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Bloccare questa voce per impedire modifiche future", - "LabelExternalPlayers": "Player esterni:", "MessageLeaveEmptyToInherit": "Lasciare vuoto per ereditare le impostazioni da un elemento principale, o il valore predefinito globale.", - "LabelExternalPlayersHelp": "Pulsanti di visualizzazione di riprodurre contenuti in lettori esterni. Questo \u00e8 disponibile solo su dispositivi che supportano schemi URL, generalmente Android e iOS. Con i giocatori esterni vi \u00e8 generalmente alcun supporto per il controllo remoto o ripresa.", - "ButtonUnlockGuide": "Unlock Guide", + "TabDonate": "Dona", "HeaderDonationType": "Tipo di donazione:", "OptionMakeOneTimeDonation": "Fai una donazione separata", + "OptionOneTimeDescription": "Si tratta di una donazione aggiuntiva alla squadra per mostrare il vostro sostegno. Non ha alcun beneficio e non produrr\u00e0 una chiave sostenitore.", + "OptionLifeTimeSupporterMembership": "Appartenenza supporter Lifetime", + "OptionYearlySupporterMembership": "Appartenenza supporter annuale", + "OptionMonthlySupporterMembership": "Appartenenza supporter mensile", "OptionNoTrailer": "Nessun Trailer", "OptionNoThemeSong": "No Temi canzone", "OptionNoThemeVideo": "No tema video", "LabelOneTimeDonationAmount": "Importo della donazione:", - "ButtonLearnMore": "saperne di pi\u00f9", - "ButtonLearnMoreAboutEmbyConnect": "Scopri di pi\u00f9 su Emby Connect", - "LabelNewUserNameHelp": "I nomi utente possono contenere lettere (az), numeri (0-9), trattini (-), underscore (_), apostrofi ('), e periodi (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Opzionale: collega il tuo account Emby", - "LabelEnableInternetMetadataForTvPrograms": "Fa il download da Internet dei metadati per:", - "LabelCustomDeviceDisplayName": "Nome da visualizzare:", - "OptionTVMovies": "Film TV", - "LabelCustomDeviceDisplayNameHelp": "Fornire un nome di visualizzazione personalizzato o lasciare vuoto per utilizzare il nome riportato dal dispositivo.", - "HeaderInviteUser": "Invita utente", - "HeaderUpcomingMovies": "Film in arrivo", - "HeaderInviteUserHelp": "Condividere i tuo file multimediali con gli amici \u00e8 pi\u00f9 facile che mai con Emby Connect.", - "ButtonSendInvitation": "Invia Invito", - "HeaderGuests": "ospiti", - "HeaderUpcomingPrograms": "Programmi in arrivo", - "HeaderLocalUsers": "Utenti locale", - "HeaderPendingInvitations": "Inviti in sospeso", - "LabelShowLibraryTileNames": "Mostra i nomi di file di libreria", - "LabelShowLibraryTileNamesHelp": "Determina se le etichette vengono visualizzate sotto le locandine della libreria sulla home page", - "TitleDevices": "Dispositivi", - "TabCameraUpload": "Caricamenti Fotocamera", - "HeaderCameraUploadHelp": "Fa automaticamente l'upload su Emby delle foto e dei video residenti sul tuo telefonino", - "TabPhotos": "Photos", - "HeaderSchedule": "Programmazione", - "MessageNoDevicesSupportCameraUpload": "Al momento non si dispone di dispositivi che supportano il caricamento della fotocamera.", - "OptionEveryday": "Tutti i giorni", - "LabelCameraUploadPath": "Fotocamera percorso di upload:", - "OptionWeekdays": "Feriali", - "LabelCameraUploadPathHelp": "Selezionare un percorso di caricamento personalizzato, se lo si desidera. Se non specificato verr\u00e0 utilizzata una cartella predefinita. Se si utilizza un percorso personalizzato che dovr\u00e0 anche essere aggiunti nella zona di installazione della libreria.", - "OptionWeekends": "Il Weekend", - "LabelCreateCameraUploadSubfolder": "Creare una sottocartella per ogni dispositivo", - "MessageProfileInfoSynced": "Informazioni sul profilo utente sincronizzate con Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Cartelle specifici possono essere assegnati a un dispositivo facendo clic su di esso dalla pagina Dispositivi.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer b.", - "HeaderTrailerReel": "Trailer b.", - "OptionPlayUnwatchedTrailersOnly": "Riproduci solo i trailer non visti", - "HeaderTrailerReelHelp": "Inizia a riprodurre una lunga playlist di trailer", - "TabDevices": "Dispositivi", - "MessageNoTrailersFound": "Nessun Trailer trovato.Installa Il plug in dei trailer per importare la libreria dei trailer da internet", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Consenti Sync", - "LabelDateAddedBehavior": "Data di comportamento per i nuovi contenuti:", - "HeaderLibraryAccess": "Accesso libreria", - "OptionDateAddedImportTime": "Utilizza la data scansionato in biblioteca", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Accesso canali", - "LabelEnableSingleImageInDidlLimit": "Limitato a singola immagine incorporata", - "OptionDateAddedFileTime": "Utilizzare file di data di creazione", - "HeaderLatestItems": "Ultimi elementi aggiunti", - "LabelEnableSingleImageInDidlLimitHelp": "Alcuni dispositivi non renderanno correttamente se pi\u00f9 immagini sono incorporati all'interno didl.", - "LabelDateAddedBehaviorHelp": "Se un valore di metadati \u00e8 presente sar\u00e0 sempre utilizzato prima una di queste opzioni.", - "LabelSelectLastestItemsFolders": "Includere supporti dalle seguenti sezioni Ultimi Articoli", - "LabelNumberTrailerToPlay": "Numero di Trailer da riprodurre:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Abilita la riproduzione di audio che necessita di transcodifica", - "OptionAllowVideoPlaybackTranscoding": "Abilita la riproduzione di video che necessita di transcodifica", - "NameSeasonUnknown": "Stagione sconosciuto", - "NameSeasonNumber": "Stagione {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Profilo sottotitolo", - "LabelRemoteClientBitrateLimit": "Bitrate limite del client remoto (Mbps):", - "HeaderSubtitleProfiles": "Profili sottotitoli", - "OptionDisableUserPreferences": "Disabilitare l'accesso alle preferenze dell'utente", - "HeaderSubtitleProfilesHelp": "Profili sottotitoli descrivono i formati di sottotitoli supportati dal dispositivo.", - "OptionDisableUserPreferencesHelp": "Se abilitato, solo gli amministratori saranno in grado di configurare le immagini del profilo utente, password e preferenze di lingua.", - "LabelFormat": "Formato:", - "HeaderSelectServer": "Selezionare il server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "Limite opzionale al bitrate dello streaming per tutti i client remoti. E' utile per evitare che i client richiedano un bitrate superiore a quello che la tua connessione \u00e8 in grado di gestire.", - "LabelMethod": "Metodo:", - "MessageNoServersAvailableToConnect": "Nessun server sono disponibili per la connessione a. Se siete stati invitati a condividere un server, assicurarsi di accettarla sotto o facendo clic sul collegamento nell'e-mail.", - "LabelDidlMode": "Modalit\u00e0 didl:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "elemento res", - "HeaderSignInWithConnect": "Accedi con Emby Connect", - "OptionEmbedSubtitles": "Incorpora all'interno del contenitore", - "OptionExternallyDownloaded": "Download Esterno", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "I singoli utenti avranno la possibilit\u00e0 di disabilitare la modalit\u00e0 cinema all'interno delle proprie preferenze.", - "OptionOneTimeDescription": "Si tratta di una donazione aggiuntiva alla squadra per mostrare il vostro sostegno. Non ha alcun beneficio e non produrr\u00e0 una chiave sostenitore.", - "OptionHlsSegmentedSubtitles": "Hls segmentato sottotitoli", - "LabelEnableCinemaMode": "Attiva modalit\u00e0 cinema", + "ButtonDonate": "Donazione", + "ButtonPurchase": "Purchase", + "OptionActor": "Attore", + "OptionComposer": "Compositore", + "OptionDirector": "Regista", + "OptionGuestStar": "Personaggi famosi", + "OptionProducer": "Produttore", + "OptionWriter": "Scrittore", "LabelAirDays": "In onda da (gg):", - "HeaderCinemaMode": "Modalit\u00e0 cinema", "LabelAirTime": "In onda da:", "HeaderMediaInfo": "Informazioni Media", "HeaderPhotoInfo": "Foto info", - "OptionAllowContentDownloading": "Consenti media download", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Dona", - "OptionLifeTimeSupporterMembership": "Appartenenza supporter Lifetime", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Appartenenza supporter annuale", - "LabelConversionCpuCoreLimit": "Limite della CPU:", - "OptionMonthlySupporterMembership": "Appartenenza supporter mensile", - "LabelConversionCpuCoreLimitHelp": "Limiita il numero di CPU da utilizzare durante l'operazione di sincronizzazione.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Abilita conversione a velocit\u00e0 piena", - "OptionEnableFullSpeedConversionHelp": "Per default, la sincronizzazione viene eseguita a bassa velocit\u00e0 per minimizzare il consumo di risorse", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Blocco dei contenuti con le etichette:", "HeaderInstall": "Installa", "LabelSelectVersionToInstall": "Selezionare la versione da installare:", "LinkSupporterMembership": "Ulteriori informazioni Supporter Membership", "MessageSupporterPluginRequiresMembership": "Questo plugin richiede un abbonamento sostenitore attivo dopo la prova gratuita di 14 giorni.", "MessagePremiumPluginRequiresMembership": "Questo plugin richiede un abbonamento sostenitore attivo al fine di acquistare dopo la prova gratuita di 14 giorni.", "HeaderReviews": "Recensioni", - "LabelTagFilterMode": "Modalit\u00e0:", "HeaderDeveloperInfo": "Info sviluppatore", "HeaderRevisionHistory": "Cronologia delle revisioni", "ButtonViewWebsite": "Visualizza sito web", - "LabelTagFilterAllowModeHelp": "Se i tag permessi vengono utilizzati come parte di una struttura di cartelle profondamente nidificate, il contenuto che viene etichettato richieder\u00e0 cartelle principali di essere etichettato come bene.", - "HeaderPlaylists": "Playlist", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Abilita il throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Il Throttling regola automaticamente la velocit\u00e0 di transcodifica per ridurre al minimo l'utilizzo della CPU del server durante la riproduzione.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Attore", - "ButtonDonate": "Donazione", - "TitleNewUser": "Nuovo Utente", - "OptionComposer": "Compositore", - "ButtonConfigurePassword": "Configura Password", - "OptionDirector": "Regista", - "HeaderDashboardUserPassword": "Le password degli utenti sono gestiti all'interno delle impostazioni del profilo personale di ogni utente.", - "OptionGuestStar": "Personaggi famosi", - "OptionProducer": "Produttore", - "OptionWriter": "Scrittore", "HeaderXmlSettings": "Impostazioni Xml", "HeaderXmlDocumentAttributes": "Attributi Documento Xml", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Attributo Documento Xml", "XmlDocumentAttributeListHelp": "Questi attributi vengono applicati all'elemento radice di ogni risposta XML.", - "ValueSpecialEpisodeName": "Speciali - {0}", "OptionSaveMetadataAsHidden": "Salvare i metadati e le immagini come file nascosti", - "HeaderNewServer": "New Server", - "TabActivity": "Attivit\u00e0", - "TitleSync": "Sincronizza", - "HeaderShareMediaFolders": "Condividi Cartelle dei media", - "MessageGuestSharingPermissionsHelp": "a maggior parte delle caratteristiche sono inizialmente disponibili per gli ospiti, ma possono essere attivate in base alle esigenze.", - "HeaderInvitations": "Inviti", + "LabelExtractChaptersDuringLibraryScan": "Estrarre immagini capitolo durante la scansione biblioteca", + "LabelExtractChaptersDuringLibraryScanHelp": "Se abilitata, le immagini capitolo verranno estratti quando i video vengono importati durante la scansione della libreria. Se disabilitata verranno estratti durante le immagini dei capitoli programmati compito, permettendo la scansione biblioteca regolare per completare pi\u00f9 velocemente.", + "LabelConnectGuestUserName": "Username di Emby o indirizzo email:", + "LabelConnectUserName": "Username\/email di Emby:", + "LabelConnectUserNameHelp": "Collegare questo utente a un account Emby per consentire un facile accesso da qualsiasi app Emby senza dover conoscere l'indirizzo IP del server.", + "ButtonLearnMoreAboutEmbyConnect": "Scopri di pi\u00f9 su Emby Connect", + "LabelExternalPlayers": "Player esterni:", + "LabelExternalPlayersHelp": "Pulsanti di visualizzazione di riprodurre contenuti in lettori esterni. Questo \u00e8 disponibile solo su dispositivi che supportano schemi URL, generalmente Android e iOS. Con i giocatori esterni vi \u00e8 generalmente alcun supporto per il controllo remoto o ripresa.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "HeaderSubtitleProfile": "Profilo sottotitolo", + "HeaderSubtitleProfiles": "Profili sottotitoli", + "HeaderSubtitleProfilesHelp": "Profili sottotitoli descrivono i formati di sottotitoli supportati dal dispositivo.", + "LabelFormat": "Formato:", + "LabelMethod": "Metodo:", + "LabelDidlMode": "Modalit\u00e0 didl:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "elemento res", + "OptionEmbedSubtitles": "Incorpora all'interno del contenitore", + "OptionExternallyDownloaded": "Download Esterno", + "OptionHlsSegmentedSubtitles": "Hls segmentato sottotitoli", "LabelSubtitleFormatHelp": "Esempio: srt", + "ButtonLearnMore": "saperne di pi\u00f9", + "TabPlayback": "Riproduzione", "HeaderLanguagePreferences": "Lingua preferita", "TabCinemaMode": "Modalit\u00e0 Cinema", "TitlePlayback": "Riproduzione", "LabelEnableCinemaModeFor": "Attiva modalit\u00e0 cinema per:", "CinemaModeConfigurationHelp": "Modalit\u00e0 Cinema porta l'esperienza del teatro direttamente nel tuo salotto con la possibilit\u00e0 di vedere trailer e intro personalizzati prima la caratteristica principale.", - "LabelExtractChaptersDuringLibraryScan": "Estrarre immagini capitolo durante la scansione biblioteca", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Includi i trailer di film nella mia biblioteca", "OptionUpcomingMoviesInTheaters": "Includi i trailer di film nuovi e imminenti", - "LabelExtractChaptersDuringLibraryScanHelp": "Se abilitata, le immagini capitolo verranno estratti quando i video vengono importati durante la scansione della libreria. Se disabilitata verranno estratti durante le immagini dei capitoli programmati compito, permettendo la scansione biblioteca regolare per completare pi\u00f9 velocemente.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Queste caratteristiche richiedono un abbonamento attivo sostenitore e l'installazione del plugin canale Trailer.", "LabelLimitIntrosToUnwatchedContent": "Solo i trailer da contenuti non visti", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Trailer Internet:", "LabelEnableIntroParentalControl": "Abilita controllo parentale intelligente", - "OptionUpcomingDvdMovies": "includi trailer nuovi e imminenti film su Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailer: verr\u00e0 selezionata solo con un rating genitori uguale o inferiore al contenuto di essere osservato.", - "HeaderThisUserIsCurrentlyDisabled": "Questo utente \u00e8 al momento disabilitato", - "OptionUpcomingStreamingMovies": "Includi trailer nuovi e imminenti film su Netflix", - "HeaderNewUsers": "Nuovo Utente", - "HeaderUpcomingSports": "Sport in arrivo", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Visualizzare i rimorchi all'interno di suggerimenti di film", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Queste caratteristiche richiedono un abbonamento attivo sostenitore e l'installazione del plugin canale Trailer.", "OptionTrailersFromMyMoviesHelp": "Richiede l'installazione di trailer locali.", - "ButtonSignUp": "Iscriviti", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Richiede l'installazione del canale Trailer.", "LabelCustomIntrosPath": "Intro personalizzate percorso:", - "MessageReenableUser": "Guarda in basso per ri-abilitare", "LabelCustomIntrosPathHelp": "Una cartella contenente i file video. Un video sar\u00e0 scelto a caso e riprodotto dopo i traler.", - "LabelUploadSpeedLimit": "Velocit\u00e0 limite di upload (Mbps)", - "TabPlayback": "Riproduzione", - "OptionAllowSyncTranscoding": "Abilita la sincronizzazione che necessita di transcodifica", - "LabelConnectUserName": "Username\/email di Emby:", - "LabelConnectUserNameHelp": "Collegare questo utente a un account Emby per consentire un facile accesso da qualsiasi app Emby senza dover conoscere l'indirizzo IP del server.", - "HeaderPlayback": "Riproduzione", - "HeaderViewStyles": "Stili Viste", - "TabJobs": "Attivit\u00e0", - "TabSyncJobs": "Attiv. di Sinc.", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Gli utenti riceveranno messaggi esplicativi quando il contenuto non \u00e8 riproducibile a causa della policy.", - "LabelSelectViewStylesHelp": "Se abilitato, le viste verranno create con i metadati per offrire categorie come Suggeriti, Recenti, Generi e altro. Se disabilitato, verranno mostrate come semplici cartelle.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Password dimenticata", - "LabelConnectGuestUserName": "Username di Emby o indirizzo email:", + "ValueSpecialEpisodeName": "Speciali - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Trailer Internet:", + "OptionUpcomingDvdMovies": "includi trailer nuovi e imminenti film su Dvd & Blu-ray", + "OptionUpcomingStreamingMovies": "Includi trailer nuovi e imminenti film su Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Visualizzare i rimorchi all'interno di suggerimenti di film", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Richiede l'installazione del canale Trailer.", + "CinemaModeConfigurationHelp2": "I singoli utenti avranno la possibilit\u00e0 di disabilitare la modalit\u00e0 cinema all'interno delle proprie preferenze.", + "LabelEnableCinemaMode": "Attiva modalit\u00e0 cinema", + "HeaderCinemaMode": "Modalit\u00e0 cinema", + "LabelDateAddedBehavior": "Data di comportamento per i nuovi contenuti:", + "OptionDateAddedImportTime": "Utilizza la data scansionato in biblioteca", + "OptionDateAddedFileTime": "Utilizzare file di data di creazione", + "LabelDateAddedBehaviorHelp": "Se un valore di metadati \u00e8 presente sar\u00e0 sempre utilizzato prima una di queste opzioni.", + "LabelNumberTrailerToPlay": "Numero di Trailer da riprodurre:", + "TitleDevices": "Dispositivi", + "TabCameraUpload": "Caricamenti Fotocamera", + "TabDevices": "Dispositivi", + "HeaderCameraUploadHelp": "Fa automaticamente l'upload su Emby delle foto e dei video residenti sul tuo telefonino", + "MessageNoDevicesSupportCameraUpload": "Al momento non si dispone di dispositivi che supportano il caricamento della fotocamera.", + "LabelCameraUploadPath": "Fotocamera percorso di upload:", + "LabelCameraUploadPathHelp": "Selezionare un percorso di caricamento personalizzato, se lo si desidera. Se non specificato verr\u00e0 utilizzata una cartella predefinita. Se si utilizza un percorso personalizzato che dovr\u00e0 anche essere aggiunti nella zona di installazione della libreria.", + "LabelCreateCameraUploadSubfolder": "Creare una sottocartella per ogni dispositivo", + "LabelCreateCameraUploadSubfolderHelp": "Cartelle specifici possono essere assegnati a un dispositivo facendo clic su di esso dalla pagina Dispositivi.", + "LabelCustomDeviceDisplayName": "Nome da visualizzare:", + "LabelCustomDeviceDisplayNameHelp": "Fornire un nome di visualizzazione personalizzato o lasciare vuoto per utilizzare il nome riportato dal dispositivo.", + "HeaderInviteUser": "Invita utente", "LabelConnectGuestUserNameHelp": "Questo \u00e8 lo username che il tuo amico utilizza per accedere al sito web Emby, o il suo indirizzo email.", + "HeaderInviteUserHelp": "Condividere i tuo file multimediali con gli amici \u00e8 pi\u00f9 facile che mai con Emby Connect.", + "ButtonSendInvitation": "Invia Invito", + "HeaderSignInWithConnect": "Accedi con Emby Connect", + "HeaderGuests": "ospiti", + "HeaderLocalUsers": "Utenti locale", + "HeaderPendingInvitations": "Inviti in sospeso", + "TabParentalControl": "Controllo Genitore", + "HeaderAccessSchedule": "Orario di accesso", + "HeaderAccessScheduleHelp": "Creare un programma di accesso per limitare l'accesso a determinate ore.", + "ButtonAddSchedule": "Agg. orario schedultao", + "LabelAccessDay": "Giorno della settimana:", + "LabelAccessStart": "Ora di inizio:", + "LabelAccessEnd": "Ora di fine:", + "HeaderSchedule": "Programmazione", + "OptionEveryday": "Tutti i giorni", + "OptionWeekdays": "Feriali", + "OptionWeekends": "Il Weekend", + "MessageProfileInfoSynced": "Informazioni sul profilo utente sincronizzate con Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Opzionale: collega il tuo account Emby", + "ButtonTrailerReel": "Trailer b.", + "HeaderTrailerReel": "Trailer b.", + "OptionPlayUnwatchedTrailersOnly": "Riproduci solo i trailer non visti", + "HeaderTrailerReelHelp": "Inizia a riprodurre una lunga playlist di trailer", + "MessageNoTrailersFound": "Nessun Trailer trovato.Installa Il plug in dei trailer per importare la libreria dei trailer da internet", + "HeaderNewUsers": "Nuovo Utente", + "ButtonSignUp": "Iscriviti", "ButtonForgotPassword": "Password Dimenticata", + "OptionDisableUserPreferences": "Disabilitare l'accesso alle preferenze dell'utente", + "OptionDisableUserPreferencesHelp": "Se abilitato, solo gli amministratori saranno in grado di configurare le immagini del profilo utente, password e preferenze di lingua.", + "HeaderSelectServer": "Selezionare il server", + "MessageNoServersAvailableToConnect": "Nessun server sono disponibili per la connessione a. Se siete stati invitati a condividere un server, assicurarsi di accettarla sotto o facendo clic sul collegamento nell'e-mail.", + "TitleNewUser": "Nuovo Utente", + "ButtonConfigurePassword": "Configura Password", + "HeaderDashboardUserPassword": "Le password degli utenti sono gestiti all'interno delle impostazioni del profilo personale di ogni utente.", + "HeaderLibraryAccess": "Accesso libreria", + "HeaderChannelAccess": "Accesso canali", + "HeaderLatestItems": "Ultimi elementi aggiunti", + "LabelSelectLastestItemsFolders": "Includere supporti dalle seguenti sezioni Ultimi Articoli", + "HeaderShareMediaFolders": "Condividi Cartelle dei media", + "MessageGuestSharingPermissionsHelp": "a maggior parte delle caratteristiche sono inizialmente disponibili per gli ospiti, ma possono essere attivate in base alle esigenze.", + "HeaderInvitations": "Inviti", "LabelForgotPasswordUsernameHelp": "Inserisci il tuo nome utente, se te lo ricordi.", + "HeaderForgotPassword": "Password dimenticata", "TitleForgotPassword": "Password Dimenticata", "TitlePasswordReset": "Password dimenticata", - "TabParentalControl": "Controllo Genitore", "LabelPasswordRecoveryPinCode": "Codice Pin:", - "HeaderAccessSchedule": "Orario di accesso", "HeaderPasswordReset": "Reset della Password", - "HeaderAccessScheduleHelp": "Creare un programma di accesso per limitare l'accesso a determinate ore.", "HeaderParentalRatings": "Valutazioni genitori", - "ButtonAddSchedule": "Agg. orario schedultao", "HeaderVideoTypes": "Tipi Video", - "LabelAccessDay": "Giorno della settimana:", "HeaderYears": "Anni", - "LabelAccessStart": "Ora di inizio:", - "LabelAccessEnd": "Ora di fine:", - "LabelDvdSeasonNumber": "Dvd stagione:", + "HeaderAddTag": "Aggiungi Tag", + "LabelBlockContentWithTags": "Blocco dei contenuti con le etichette:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limitato a singola immagine incorporata", + "LabelEnableSingleImageInDidlLimitHelp": "Alcuni dispositivi non renderanno correttamente se pi\u00f9 immagini sono incorporati all'interno didl.", + "TabActivity": "Attivit\u00e0", + "TitleSync": "Sincronizza", + "OptionAllowSyncContent": "Consenti Sync", + "OptionAllowContentDownloading": "Consenti media download", + "NameSeasonUnknown": "Stagione sconosciuto", + "NameSeasonNumber": "Stagione {0}", + "LabelNewUserNameHelp": "I nomi utente possono contenere lettere (az), numeri (0-9), trattini (-), underscore (_), apostrofi ('), e periodi (.)", + "TabJobs": "Attivit\u00e0", + "TabSyncJobs": "Attiv. di Sinc.", + "LabelTagFilterMode": "Modalit\u00e0:", + "LabelTagFilterAllowModeHelp": "Se i tag permessi vengono utilizzati come parte di una struttura di cartelle profondamente nidificate, il contenuto che viene etichettato richieder\u00e0 cartelle principali di essere etichettato come bene.", + "HeaderThisUserIsCurrentlyDisabled": "Questo utente \u00e8 al momento disabilitato", + "MessageReenableUser": "Guarda in basso per ri-abilitare", + "LabelEnableInternetMetadataForTvPrograms": "Fa il download da Internet dei metadati per:", + "OptionTVMovies": "Film TV", + "HeaderUpcomingMovies": "Film in arrivo", + "HeaderUpcomingSports": "Sport in arrivo", + "HeaderUpcomingPrograms": "Programmi in arrivo", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Mostra i nomi di file di libreria", + "LabelShowLibraryTileNamesHelp": "Determina se le etichette vengono visualizzate sotto le locandine della libreria sulla home page", + "OptionEnableTranscodingThrottle": "Abilita il throttling", + "OptionEnableTranscodingThrottleHelp": "Il Throttling regola automaticamente la velocit\u00e0 di transcodifica per ridurre al minimo l'utilizzo della CPU del server durante la riproduzione.", + "LabelUploadSpeedLimit": "Velocit\u00e0 limite di upload (Mbps)", + "OptionAllowSyncTranscoding": "Abilita la sincronizzazione che necessita di transcodifica", + "HeaderPlayback": "Riproduzione", + "OptionAllowAudioPlaybackTranscoding": "Abilita la riproduzione di audio che necessita di transcodifica", + "OptionAllowVideoPlaybackTranscoding": "Abilita la riproduzione di video che necessita di transcodifica", + "OptionAllowMediaPlaybackTranscodingHelp": "Gli utenti riceveranno messaggi esplicativi quando il contenuto non \u00e8 riproducibile a causa della policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Bitrate limite del client remoto (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "Limite opzionale al bitrate dello streaming per tutti i client remoti. E' utile per evitare che i client richiedano un bitrate superiore a quello che la tua connessione \u00e8 in grado di gestire.", + "LabelConversionCpuCoreLimit": "Limite della CPU:", + "LabelConversionCpuCoreLimitHelp": "Limiita il numero di CPU da utilizzare durante l'operazione di sincronizzazione.", + "OptionEnableFullSpeedConversion": "Abilita conversione a velocit\u00e0 piena", + "OptionEnableFullSpeedConversionHelp": "Per default, la sincronizzazione viene eseguita a bassa velocit\u00e0 per minimizzare il consumo di risorse", + "HeaderPlaylists": "Playlist", + "HeaderViewStyles": "Stili Viste", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "Se abilitato, le viste verranno create con i metadati per offrire categorie come Suggeriti, Recenti, Generi e altro. Se disabilitato, verranno mostrate come semplici cartelle.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Numero episodio Dvd:", - "LabelAbsoluteEpisodeNumber": "Absolute Numero episodio:", - "LabelAirsBeforeSeason": "tempo prima della stagione:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "tempo dopo della stagione:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 65492b837c..415c307042 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/kk.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/kk.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Emby \u04af\u0448\u0456\u043d \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", - "LabelImageSavingConvention": "\u0421\u0443\u0440\u0435\u0442 \u0441\u0430\u049b\u0442\u0430\u0443 \u043a\u0435\u043b\u0456\u0441\u0456\u043c\u0456:", - "LabelNumberOfGuideDaysHelp": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u043a\u04af\u043d\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u049b\u04b1\u043d\u0434\u044b\u043b\u044b\u0493\u044b\u043d \u043a\u04e9\u0442\u0435\u0440\u0435\u0434\u0456 \u0434\u0435 \u0430\u043b\u0434\u044b\u043d-\u0430\u043b\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043d \u0436\u04d9\u043d\u0435 \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u0442\u0456\u0437\u0431\u0435\u043b\u0435\u0440 \u043a\u04e9\u0440\u0443\u0434\u0456 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u0431\u04b1\u043b \u0436\u04af\u043a\u0442\u0435\u0443 \u0443\u0430\u049b\u044b\u0442\u044b\u043d \u0434\u0430 \u0441\u043e\u0437\u0434\u044b\u0440\u0430\u0434\u044b. \u0410\u0432\u0442\u043e\u0442\u0430\u04a3\u0434\u0430\u0443 \u0430\u0440\u043d\u0430 \u0441\u0430\u043d\u044b\u043d\u0430 \u043d\u0435\u0433\u0456\u0437\u0434\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", - "HeaderNewCollection": "\u0416\u0430\u04a3\u0430 \u0436\u0438\u044b\u043d\u0442\u044b\u049b", - "LabelImageSavingConventionHelp": "Emby \u0435\u04a3 \u04d9\u0439\u0433\u0456\u043b\u0456 \u043c\u0443\u043b\u044c\u0442\u0438\u043c\u0435\u0434\u0438\u0430 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u043d\u0438\u0434\u044b. \u0415\u0433\u0435\u0440 \u0431\u0430\u0441\u049b\u0430 \u0434\u0430 \u04e9\u043d\u0456\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b, \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0493\u0430\u043d\u0434\u0430, \u0436\u04af\u043a\u0442\u0435\u0443 \u0448\u0430\u0440\u0442\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u043f \u0430\u043b\u0443 \u043f\u0430\u0439\u0434\u0430\u043b\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", - "OptionImageSavingCompatible": "\u0421\u044b\u0438\u0441\u044b\u043c\u0434\u044b - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Emby Connect \u04af\u0448\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0493\u0430\u043d", - "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u0442\u044b - MB2", - "OptionAutomatic": "\u0410\u0432\u0442\u043e\u0442\u0430\u04a3\u0434\u0430\u0443", - "ButtonCreate": "\u0416\u0430\u0441\u0430\u0443", - "ButtonSignIn": "\u041a\u0456\u0440\u0443", - "LiveTvPluginRequired": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u044d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u049b\u044b\u0437\u043c\u0435\u0442\u0456\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456\u0441\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "TitleSignIn": "\u041a\u0456\u0440\u0443", - "LiveTvPluginRequiredHelp": "\u0411\u0456\u0437\u0434\u0456\u04a3 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 (Next Pvr \u043d\u0435 ServerWmc \u0441\u0438\u044f\u049b\u0442\u044b) \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456\u04a3 \u0431\u0456\u0440\u0435\u0443\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", - "LabelWebSocketPortNumber": "\u0412\u0435\u0431-\u0441\u043e\u043a\u0435\u0442 \u043f\u043e\u0440\u0442\u044b\u043d\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:", - "ProjectHasCommunity": "Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u044b \u043c\u0435\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b\u04a3 \u0434\u0430\u043c\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0493\u044b \u0431\u0430\u0440.", - "HeaderPleaseSignIn": "\u041a\u0456\u0440\u0456\u04a3\u0456\u0437", - "LabelUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b:", - "LabelExternalDDNS": "\u0421\u044b\u0440\u0442\u049b\u044b WAN-\u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439:", - "TabOther": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", - "LabelPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437:", - "OptionDownloadThumbImage": "\u041d\u043e\u0431\u0430\u0439", - "LabelExternalDDNSHelp": "\u0415\u0433\u0435\u0440 \u0441\u0456\u0437\u0434\u0435 dynamic DNS \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u043e\u0441\u044b \u0436\u0435\u0440\u0434\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0441\u044b\u0440\u0442\u0442\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u043e\u0441\u044b\u043d\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0434\u044b. \u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", - "VisitProjectWebsite": "Emby \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b\u043d\u0430 \u0431\u0430\u0440\u0443", - "ButtonManualLogin": "\u049a\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443", - "OptionDownloadMenuImage": "\u041c\u04d9\u0437\u0456\u0440", - "TabResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", - "PasswordLocalhostMessage": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 (localhost) \u043e\u0440\u044b\u043d\u0434\u0430\u043d \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440 \u049b\u0430\u0436\u0435\u0442 \u0435\u043c\u0435\u0441.", - "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f", - "TabWeather": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b", - "OptionDownloadBoxImage": "\u049a\u043e\u0440\u0430\u043f", - "TitleAppSettings": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "ButtonDeleteImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e", - "VisitProjectWebsiteLong": "\u0421\u043e\u04a3\u0493\u044b \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0431\u0456\u043b\u0456\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0436\u04d9\u043d\u0435 \u0436\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440 \u0431\u043b\u043e\u0433\u0456\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u044b\u043f \u0442\u04b1\u0440\u0443 \u04af\u0448\u0456\u043d Emby \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b\u043d\u0430 \u0431\u0430\u0440\u044b\u04a3\u044b\u0437.", - "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a\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:", - "ButtonUpload": "\u041a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443", - "OptionDownloadBannerImage": "\u0411\u0430\u043d\u043d\u0435\u0440", - "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:", - "HeaderUploadNewImage": "\u0416\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0456 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443", - "OptionDownloadBackImage": "\u0410\u0440\u0442\u049b\u044b \u043c\u04b1\u049b\u0430\u0431\u0430", - "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):", - "OptionHideWatchedContentFromLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0435\u043d \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0436\u0430\u0441\u044b\u0440\u0443", - "LabelDropImageHere": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u043c\u04b1\u043d\u0434\u0430 \u0441\u04af\u0439\u0440\u0435\u0442\u0456\u04a3\u0456\u0437", - "OptionDownloadArtImage": "\u041e\u044e \u0441\u0443\u0440\u0435\u0442", - "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", - "ImageUploadAspectRatioHelp": "1:1 \u043f\u0456\u0448\u0456\u043c\u0434\u0456\u043a \u0430\u0440\u0430\u049b\u0430\u0442\u044b\u043d\u0430\u0441\u044b \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b. \u0422\u0435\u043a \u049b\u0430\u043d\u0430 JPG\/PNG.", - "OptionDownloadPrimaryImage": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\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", - "MessageNothingHere": "\u041e\u0441\u044b\u043d\u0434\u0430 \u0435\u0448\u0442\u0435\u043c\u0435 \u0436\u043e\u049b.", - "HeaderFetchImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0456\u0440\u0456\u043a\u0442\u0435\u0443:", - "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", - "TabSuggestions": "\u04b0\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440", - "MessagePleaseEnsureInternetMetadata": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", - "HeaderImageSettings": "\u0421\u0443\u0440\u0435\u0442 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "TabSuggested": "\u04b0\u0441\u044b\u043d\u044b\u043b\u0493\u0430\u043d", - "LabelMaxBackdropsPerItem": "\u0422\u0430\u0440\u043c\u0430\u049b \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:", - "TabLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456", - "LabelMaxScreenshotsPerItem": "\u0422\u0430\u0440\u043c\u0430\u049b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0435\u04a3 \u043a\u04e9\u043f \u0441\u043a\u0440\u0438\u043d\u0448\u043e\u0442 \u0441\u0430\u043d\u044b:", - "TabUpcoming": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d", - "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:", - "TabShows": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440", - "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:", - "TabEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "ButtonAddScheduledTaskTrigger": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", - "TabGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "HeaderAddScheduledTaskTrigger": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", - "TabPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", - "ButtonAdd": "\u04ae\u0441\u0442\u0435\u0443", - "TabNetworks": "\u0416\u0435\u043b\u0456\u043b\u0435\u0440", - "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", - "ButtonHelp": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u0433\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430\u0493\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:", - "OptionRelease": "\u0420\u0435\u0441\u043c\u0438 \u0448\u044b\u0493\u0430\u0440\u044b\u043b\u044b\u043c", - "LabelEvent": "\u041e\u049b\u0438\u0493\u0430:", - "OptionBeta": "\u0411\u0435\u0442\u0430 \u043d\u04b1\u0441\u049b\u0430", - "OptionWakeFromSleep": "\u04b0\u0439\u049b\u044b\u0434\u0430\u043d \u043e\u044f\u0442\u0443\u0434\u0430", - "ButtonInviteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0448\u0430\u049b\u044b\u0440\u0443", - "OptionDev": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443 (\u0442\u04b1\u0440\u0430\u049b\u0441\u044b\u0437)", - "LabelEveryXMinutes": "\u04d8\u0440:", - "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u043b\u0435\u0440", - "CategorySync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "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", - "RegisterWithPayPal": "PayPal \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0456\u0440\u043a\u0435\u043b\u0443", - "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\u044b\u0493\u044b\u0448\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\u044b\u0493\u044b\u0448\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", + "LabelExit": "\u0428\u044b\u0493\u0443", + "LabelVisitCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b\u049b\u0430 \u0431\u0430\u0440\u0443", "LabelGithub": "GitHub \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0439\u0456", - "Option1Player": "1+", + "LabelSwagger": "Swagger \u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0456", + "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u0442\u044b", "LabelApiDocumentation": "API \u049b\u04b1\u0436\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b", - "Option2Player": "2+", "LabelDeveloperResources": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u04e9\u0437\u0434\u0435\u0440\u0456", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \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", - "LabelManagement": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "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 \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440", + "LabelBrowseLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443", + "LabelConfigureServer": "Emby \u0442\u0435\u04a3\u0448\u0435\u0443", + "LabelOpenLibraryViewer": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u049b\u0430\u0440\u0430\u0443 \u049b\u04b1\u0440\u0430\u043b\u044b", + "LabelRestartServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", + "LabelShowLogWindow": "\u0416\u04b1\u0440\u043d\u0430\u043b \u0442\u0435\u0440\u0435\u0437\u0435\u0441\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443", + "LabelPrevious": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b", + "LabelFinish": "\u0410\u044f\u049b\u0442\u0430\u0443", + "FolderTypeMixed": "\u0410\u0440\u0430\u043b\u0430\u0441 \u043c\u0430\u0437\u043c\u04b1\u043d", + "LabelNext": "\u041a\u0435\u043b\u0435\u0441\u0456", + "LabelYoureDone": "\u0411\u04d9\u0440\u0456 \u0434\u0430\u0439\u044b\u043d!", + "WelcomeToProject": "Emby \u04af\u0448\u0456\u043d \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", + "ThisWizardWillGuideYou": "\u0411\u04b1\u043b \u043a\u043e\u043c\u0435\u043a\u0448\u0456 \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u0441\u0430\u0442\u044b\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u04e9\u0442\u043a\u0456\u0437\u0435\u0434\u0456. \u0411\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u04a3\u0456\u0437\u0433\u0435 \u0442\u0456\u043b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", + "TellUsAboutYourself": "\u04e8\u0437\u0456\u04a3\u0456\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u0430\u0439\u0442\u044b\u04a3\u044b\u0437", + "ButtonQuickStartGuide": "\u0422\u0435\u0437 \u0431\u0430\u0441\u0442\u0430\u0443 \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u044b\u0493\u044b\u043d\u0430", + "LabelYourFirstName": "\u0410\u0442\u044b\u04a3\u044b\u0437:", + "MoreUsersCanBeAddedLater": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u043a\u0435\u0439\u0456\u043d \u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u04af\u0441\u0442\u0435\u0443\u0456\u04a3\u0456\u0437 \u043c\u04af\u043c\u043a\u0456\u043d.", + "UserProfilesIntro": "Emby \u0456\u0448\u0456\u043d\u0434\u0435 \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456 \u043e\u0439\u043d\u0430\u0442\u0443 \u043a\u04af\u0439\u0456 \u0436\u04d9\u043d\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u044b \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u044b\u049b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d\u044b\u04a3 \u043a\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u044b \u0431\u0430\u0440.", + "LabelWindowsService": "Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456", + "AWindowsServiceHasBeenInstalled": "Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b.", + "WindowsServiceIntro1": "Emby Server \u04d9\u0434\u0435\u0442\u0442\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043c\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0456\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u0435\u0433\u0435\u0440 \u043e\u043d\u044b\u04a3 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u04e9\u04a3\u0434\u0456\u043a \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u04b1\u043d\u0430\u0442\u0441\u0430\u04a3\u044b\u0437, \u043e\u0441\u044b\u043d\u044b\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \u0431\u04b1\u043b Windows \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0442\u0435\u0443\u0456\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", + "WindowsServiceIntro2": "\u0415\u0433\u0435\u0440 Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430 \u0431\u043e\u043b\u0441\u0430, \u0435\u0441\u043a\u0435\u0440\u0456\u04a3\u0456\u0437, \u0431\u04b1\u043b \u0441\u043e\u043b \u043c\u0435\u0437\u0433\u0456\u043b\u0434\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0434\u0435\u0439 \u0436\u04af\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441, \u0441\u043e\u043d\u044b\u043c\u0435\u043d \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u043d \u0448\u044b\u0493\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442. \u0421\u043e\u0493\u0430\u043d \u049b\u0430\u0442\u0430\u0440, \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 \u04d9\u043a\u0456\u043c\u0448\u0456 \u049b\u04b1\u049b\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430 \u0438\u0435 \u0431\u043e\u043b\u044b\u043f \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0442\u0435\u0443\u0456\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u049b\u0430\u0436\u0435\u0442. \u041d\u0430\u0437\u0430\u0440 \u0430\u0443\u0434\u0430\u0440\u044b\u04a3\u044b\u0437! \u049a\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0431\u04b1\u043b \u049b\u044b\u0437\u043c\u0435\u0442 \u04e9\u0437\u0456\u043d\u0435\u043d-\u04e9\u0437\u0456 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u043c\u0430\u0439\u0434\u044b, \u0441\u043e\u043d\u0434\u044b\u049b\u0442\u0430\u043d \u0436\u0430\u04a3\u0430 \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440 \u049b\u043e\u043b\u043c\u0435\u043d \u04e9\u0437\u0430\u0440\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0441\u0443\u0434\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", + "WizardCompleted": "\u04d8\u0437\u0456\u0440\u0448\u0435 \u0431\u04b1\u043b \u0431\u0456\u0437\u0433\u0435 \u043a\u0435\u0440\u0435\u0433\u0456\u043d\u0456\u04a3 \u0431\u04d9\u0440\u0456 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b. Emby \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u04a3\u044b\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0438\u043d\u0430\u0439 \u0431\u0430\u0441\u0442\u0430\u0434\u044b. \u0415\u043d\u0434\u0456 \u043a\u0435\u0439\u0431\u0456\u0440 \u0431\u0456\u0437\u0434\u0456\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043c\u044b\u0437\u0431\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437, \u0436\u04d9\u043d\u0435 \u043a\u0435\u0439\u0456\u043d \u0414\u0430\u0439\u044b\u043d<\/b> \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b<\/b> \u049b\u0430\u0440\u0430\u0443\u0493\u0430 \u0448\u044b\u0493\u044b \u043a\u0435\u043b\u0435\u0434\u0456.", + "LabelConfigureSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443", + "LabelEnableVideoImageExtraction": "\u0411\u0435\u0439\u043d\u0435 \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "VideoImageExtractionHelp": "\u04d8\u043b\u0456 \u0434\u0435 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456 \u0436\u043e\u049b, \u0436\u04d9\u043d\u0435 \u043e\u043b\u0430\u0440 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u04af\u0448\u0456\u043d. \u0411\u04b1\u043b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b\u04a3 \u0431\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u0456 \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0443\u0430\u049b\u044b\u0442 \u04af\u0441\u0442\u0435\u0439\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u04b1\u043d\u0430\u043c\u0434\u044b\u043b\u0430\u0443 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c \u0431\u043e\u043b\u0430\u0434\u044b.", + "LabelEnableChapterImageExtractionForMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "LabelChapterImageExtractionForMoviesHelp": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0441\u0430\u0445\u043d\u0430 \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u0443\u0433\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043f\u0440\u043e\u0446\u0435\u0441 \u0431\u0430\u044f\u0443, \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0442\u043e\u0437\u0434\u044b\u0440\u0430\u0442\u044b\u043d \u0436\u04d9\u043d\u0435 \u0431\u0456\u0440\u0430\u0437 \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0442\u0456\u043d \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d. \u0411\u04b1\u043b \u0442\u04af\u043d\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456, \u0434\u0435\u0433\u0435\u043d\u043c\u0435\u043d \u0431\u04b1\u043b \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0434\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0434\u0456. \u0411\u04b1\u043b \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u0430\u0440\u0431\u0430\u043b\u0430\u0441 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u043e\u0440\u044b\u043d\u0434\u0430\u0443 \u04b1\u0441\u044b\u043d\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LabelEnableAutomaticPortMapping": "\u041f\u043e\u0440\u0442 \u0430\u0432\u0442\u043e\u0441\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443", + "LabelEnableAutomaticPortMappingHelp": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d UPnP \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448\u0442\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448 \u04af\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.", + "HeaderTermsOfService": "Emby \u049b\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b", + "MessagePleaseAcceptTermsOfService": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u0441 \u0431\u04b1\u0440\u044b\u043d \u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u0436\u04d9\u043d\u0435 \u049a\u04b1\u043f\u0438\u044f\u043b\u044b\u043b\u044b\u049b \u0441\u0430\u044f\u0441\u0430\u0442\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u04a3\u044b\u0437.", + "OptionIAcceptTermsOfService": "\u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0439\u043c\u044b\u043d", + "ButtonPrivacyPolicy": "\u049a\u04b1\u043f\u0438\u044f\u043b\u044b\u043b\u044b\u049b \u0441\u0430\u044f\u0441\u0430\u0442\u044b\u043d\u0430", + "ButtonTermsOfService": "\u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d\u0430", "HeaderDeveloperOptions": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "HeaderCastCrew": "\u0422\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440", - "LabelLocalHttpServerPortNumber": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 http-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", - "HeaderAdditionalParts": "\u0416\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "OptionEnableWebClientResponseCache": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u04af\u043d \u049b\u0430\u0442\u0443 \u043a\u044d\u0448\u0442\u0435\u0443\u0456\u043d \u049b\u043e\u0441\u0443", - "LabelLocalHttpServerPortNumberHelp": "Emby HTTP-\u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 TCP-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", - "ButtonSplitVersionsApart": "\u041d\u04af\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0431\u04e9\u043b\u0443", - "LabelSyncTempPath": "\u0423\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b \u0436\u043e\u043b\u044b:", "OptionDisableForDevelopmentHelp": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u0436\u0430\u0441\u0430\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430 \u043c\u044b\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0442\u0435\u04a3\u0448\u0435\u04a3\u0456\u0437.", - "LabelMissing": "\u0416\u043e\u049b", - "LabelSyncTempPathHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0436\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043e\u0441\u044b \u043e\u0440\u044b\u043d\u0434\u0430 \u0441\u0430\u049b\u0442\u0430\u043b\u0430\u0434\u044b.", - "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", - "LabelOffline": "\u0414\u0435\u0440\u0431\u0435\u0441", "OptionEnableWebClientResourceMinification": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u049b\u043e\u0440\u044b\u043d \u0430\u0437\u0430\u0439\u0442\u0443\u0434\u044b \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.", - "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\u0443 \u043c\u04af\u043c\u043a\u0456\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\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u049b\u0430\u0442\u044b\u043d\u0430\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\u044b\u0493\u044b\u0448\u0442\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.", - "LabelCustomCertificatePath": "\u041a\u0443\u04d9\u043b\u0456\u043a \u0436\u043e\u043b\u044b:", - "HeaderFrom": "\u049a\u0430\u0439\u0434\u0430\u043d", "LabelDashboardSourcePath": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 \u043a\u04e9\u0437\u0456\u043d\u0456\u04a3 \u0436\u043e\u043b\u044b:", - "HeaderTo": "\u049a\u0430\u0439\u0434\u0430", - "LabelCustomCertificatePathHelp": "\u04e8\u0437 SSL-\u043a\u0443\u04d9\u043b\u0456\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 .pfx \u0444\u0430\u0439\u043b\u044b\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437. \u0415\u0433\u0435\u0440 \u0442\u04af\u0441\u0456\u0440\u0456\u043b\u0441\u0435, \u0441\u0435\u0440\u0432\u0435\u0440 \u043c\u0435\u043d\u0448\u0456\u043a \u049b\u043e\u043b\u0442\u0430\u04a3\u0431\u0430\u0441\u044b \u0431\u0430\u0440 \u043a\u0443\u04d9\u043b\u0456\u043a\u0442\u0456 \u0436\u0430\u0441\u0430\u0439\u0434\u044b.", - "LabelFrom": "\u049a\u0430\u0439\u0434\u0430\u043d:", "LabelDashboardSourcePathHelp": "\u0415\u0433\u0435\u0440 \u0441\u0435\u0440\u0432\u0435\u0440 \u049b\u0430\u0439\u043d\u0430\u0440 \u043a\u043e\u0434\u044b\u043d\u0430\u043d \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0441\u0435, dashboard-ui \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u0430 \u0436\u043e\u043b\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0456\u04a3 \u0431\u0430\u0440\u043b\u044b\u049b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u043e\u0441\u044b \u0436\u0430\u0439\u0493\u0430\u0441\u044b\u043c\u0434\u0430\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043b\u0430\u0434\u044b.", - "LabelFromHelp": "\u041c\u044b\u0441\u0430\u043b: D:\\Movies (\u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435)", - "ButtonAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443", - "LabelTo": "\u049a\u0430\u0439\u0434\u0430:", + "ButtonConvertMedia": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443", + "ButtonOrganize": "\u04b0\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", + "LinkedToEmbyConnect": "Emby Connect \u04af\u0448\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0493\u0430\u043d", + "HeaderSupporterBenefits": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u044b", + "HeaderAddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", + "LabelAddConnectSupporterHelp": "\u0422\u0456\u0437\u0456\u043c\u0434\u0435 \u0436\u043e\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443 \u04af\u0448\u0456\u043d, \u0430\u043b\u0434\u044b\u043c\u0435\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u044b\u049b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b \u0431\u0435\u0442\u0456\u043d\u0435\u043d Emby Connect \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u043e\u043d\u044b\u04a3 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u0440\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442.", + "LabelPinCode": "PIN-\u043a\u043e\u0434:", + "OptionHideWatchedContentFromLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0435\u043d \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0436\u0430\u0441\u044b\u0440\u0443", + "HeaderSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "ButtonOk": "\u0416\u0430\u0440\u0430\u0439\u0434\u044b", + "ButtonCancel": "\u0411\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "ButtonExit": "\u0428\u044b\u0493\u0443", + "ButtonNew": "\u0416\u0430\u0441\u0430\u0443", + "HeaderTV": "\u0422\u0414", + "HeaderAudio": "\u0414\u044b\u0431\u044b\u0441", + "HeaderVideo": "\u0411\u0435\u0439\u043d\u0435", "HeaderPaths": "\u0416\u043e\u043b\u0434\u0430\u0440", - "LabelToHelp": "\u041c\u044b\u0441\u0430\u043b: \\\\MyServer\\Movies (\u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u043e\u043b)", - "ButtonAddPathSubstitution": "\u0410\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u04af\u0441\u0442\u0435\u0443", + "CategorySync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "TabPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456", + "HeaderEasyPinCode": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434", + "HeaderGrownupsOnly": "\u0422\u0435\u043a \u0435\u0440\u0435\u0441\u0435\u043a\u0442\u0435\u0440!", + "DividerOr": "-- \u043d\u0435\u043c\u0435\u0441\u0435 --", + "HeaderInstalledServices": "\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", + "HeaderAvailableServices": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443\u043b\u044b \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", + "MessageNoServicesInstalled": "\u049a\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d", + "HeaderToAccessPleaseEnterEasyPinCode": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u0442\u044b \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437", + "KidsModeAdultInstruction": "\u0422\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u0442\u04e9\u043c\u0435\u0434\u0435\u0433\u0456 \u043e\u04a3 \u0436\u0430\u049b\u0442\u0430\u0493\u044b \u049b\u04b1\u043b\u044b\u043f \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043d \u043d\u04b1\u049b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0431\u0430\u043b\u0430\u043b\u044b\u049b \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437. PIN-\u043a\u043e\u0434\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", + "ButtonConfigurePinCode": "PIN-\u043a\u043e\u0434\u0442\u044b \u0442\u0435\u04a3\u0448\u0435\u0443", + "HeaderAdultsReadHere": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0435\u0440, \u043c\u044b\u043d\u0430\u043d\u044b \u043e\u049b\u044b\u04a3\u044b\u0437!", + "RegisterWithPayPal": "PayPal \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0456\u0440\u043a\u0435\u043b\u0443", + "HeaderSyncRequiresSupporterMembership": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043b\u044b\u049b \u043c\u04af\u0448\u0435\u043b\u0456\u043a \u049b\u0430\u0436\u0435\u0442", + "HeaderEnjoyDayTrial": "\u0422\u0435\u0433\u0456\u043d \u0441\u044b\u043d\u0430\u0443\u0434\u044b 14 \u043a\u04af\u043d \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u04a3\u044b\u0456\u0437", + "LabelSyncTempPath": "\u0423\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b \u0436\u043e\u043b\u044b:", + "LabelSyncTempPathHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0436\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043e\u0441\u044b \u043e\u0440\u044b\u043d\u0434\u0430 \u0441\u0430\u049b\u0442\u0430\u043b\u0430\u0434\u044b.", + "LabelCustomCertificatePath": "\u041a\u0443\u04d9\u043b\u0456\u043a \u0436\u043e\u043b\u044b:", + "LabelCustomCertificatePathHelp": "\u04e8\u0437 SSL-\u043a\u0443\u04d9\u043b\u0456\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 .pfx \u0444\u0430\u0439\u043b\u044b\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437. \u0415\u0433\u0435\u0440 \u0442\u04af\u0441\u0456\u0440\u0456\u043b\u0441\u0435, \u0441\u0435\u0440\u0432\u0435\u0440 \u043c\u0435\u043d\u0448\u0456\u043a \u049b\u043e\u043b\u0442\u0430\u04a3\u0431\u0430\u0441\u044b \u0431\u0430\u0440 \u043a\u0443\u04d9\u043b\u0456\u043a\u0442\u0456 \u0436\u0430\u0441\u0430\u0439\u0434\u044b.", "TitleNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", - "OptionSpecialEpisode": "\u0410\u0440\u043d\u0430\u0439\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "OptionMissingEpisode": "\u0416\u043e\u049b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "ButtonDonateWithPayPal": "PayPal \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0430\u0443", + "OptionDetectArchiveFilesAsMedia": "\u041c\u04b1\u0440\u0430\u0493\u0430\u0442\u0442\u0430\u043b\u0493\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0442\u0430\u0431\u0443", + "OptionDetectArchiveFilesAsMediaHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, .rar \u0436\u04d9\u043d\u0435 .zip \u043a\u0435\u04a3\u0435\u0439\u0442\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "LabelEnterConnectUserName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u042d-\u043f\u043e\u0448\u0442\u0430:", + "LabelEnterConnectUserNameHelp": "\u0411\u04b1\u043b \u0441\u0456\u0437\u0434\u0456\u04a3 Emby \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "LabelEnableEnhancedMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456\u04a3 \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443", + "LabelEnableEnhancedMoviesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456, \u049b\u043e\u0441\u044b\u043c\u0448\u0430\u043b\u0430\u0440\u0434\u044b, \u0442\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u049b\u0430\u0442\u044b\u0441\u0442\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u049b\u0430\u043c\u0442\u0443 \u04af\u0448\u0456\u043d, \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u049b\u0430\u043b\u0442\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456", + "HeaderSyncJobInfo": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b", + "FolderTypeMovies": "\u041a\u0438\u043d\u043e", + "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "FolderTypeAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0456\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "FolderTypeHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", + "FolderTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "FolderTypeBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", + "FolderTypeTvShows": "\u0422\u0414", "FolderTypeInherit": "\u041c\u04b1\u0440\u0430\u0493\u0430 \u0438\u0435\u043b\u0435\u043d\u0443", - "OptionUnairedEpisode": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "LabelContentType": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0442\u04af\u0440\u0456:", - "OptionEpisodeSortName": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0456\u04a3 \u0441\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b", "TitleScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440", - "OptionSeriesSortName": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0430\u0442\u044b", - "TabNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", - "OptionTvdbRating": "Tvdb \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", - "LinkApi": "API", - "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", - "LabelPublicHttpPort": "\u0416\u0430\u0440\u0438\u044f http-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\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", - "OptionPosterCard": "\u0416\u0430\u0440\u049b\u0430\u0493\u0430\u0437-\u043a\u0430\u0440\u0442\u0430", - "LabelPublicHttpPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 http-\u043f\u043e\u0440\u0442\u044b\u043d\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", - "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", - "OptionThumbCard": "\u041d\u043e\u0431\u0430\u0439-\u043a\u0430\u0440\u0442\u0430", - "OptionHighSpeedTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b", - "OptionAllowRemoteSharedDevices": "\u041e\u0440\u0442\u0430\u049b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelPublicHttpsPort": "\u0416\u0430\u0440\u0438\u044f https-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", - "OptionHighQualityTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0441\u0430\u043f\u0430", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-\u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0493\u0430\u043d\u0448\u0430 \u0434\u0435\u0439\u0456\u043d \u043e\u0440\u0442\u0430\u049b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0435\u0441\u0435\u043f\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", - "OptionMaxQualityTranscoding": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430", - "HeaderRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", - "LabelPublicHttpsPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 https-\u043f\u043e\u0440\u0442\u044b\u043d\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", - "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", + "HeaderSetupLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443", + "ButtonAddMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443", + "LabelFolderType": "\u049a\u0430\u043b\u0442\u0430 \u0442\u04af\u0440\u0456:", + "ReferToMediaLibraryWiki": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0443\u0440\u0430\u043b\u044b \u0443\u0438\u043a\u0438 \u0456\u0448\u0456\u043d\u0435\u043d \u049b\u0430\u0440\u0430\u04a3\u044b\u0437.", + "LabelCountry": "\u0415\u043b:", + "LabelLanguage": "\u0422\u0456\u043b:", + "LabelTimeLimitHours": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456 (\u0441\u0430\u0493\u0430\u0442):", + "ButtonJoinTheDevelopmentTeam": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440 \u0442\u043e\u0431\u044b\u043d\u0430 \u043a\u0456\u0440\u0443", + "HeaderPreferredMetadataLanguage": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", + "LabelSaveLocalMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0456\u0448\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u0443", + "LabelSaveLocalMetadataHelp": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0456\u0448\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u043b\u0443\u044b \u043e\u043b\u0430\u0440\u0434\u044b \u0436\u0435\u04a3\u0456\u043b \u04e9\u04a3\u0434\u0435\u0439 \u0430\u043b\u0430\u0442\u044b\u043d \u043e\u0440\u044b\u043d\u0493\u0430 \u049b\u043e\u044f\u0434\u044b.", + "LabelDownloadInternetMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", + "LabelDownloadInternetMetadataHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043a\u04e9\u0440\u043c\u0435\u043b\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d Emby Server \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u0443\u0440\u0430\u043b\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", + "TabPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440", + "TabPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", + "TabLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "TabAccess": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443", + "TabImage": "\u0421\u0443\u0440\u0435\u0442", + "TabProfile": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "TabImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440", + "TabNotifications": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440", + "TabCollectionTitles": "\u0422\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440", + "HeaderDeviceAccess": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "OptionEnableAccessFromAllDevices": "\u0411\u0430\u0440\u043b\u044b\u049b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "OptionEnableAccessToAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "OptionEnableAccessToAllLibraries": "\u0411\u0430\u0440\u043b\u044b\u049b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043b\u0430\u0440\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "DeviceAccessHelp": "\u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0456\u0440\u0435\u0433\u0435\u0439 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0448\u043e\u043b\u0493\u044b\u0448\u043f\u0435\u043d \u049b\u0430\u043d\u0442\u044b\u043d\u0430\u0443\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u043c\u0430\u0439\u0434\u044b. \u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0441\u044b\u043d\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0441\u04af\u0437\u0433\u0456\u043b\u0435\u0443\u0456 \u0436\u0430\u04a3\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u043c\u04b1\u043d\u0434\u0430 \u0431\u0435\u043a\u0456\u0442\u0456\u043b\u0433\u0435\u043d\u0448\u0435 \u0434\u0435\u0439\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0430\u0434\u044b.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u0416\u043e\u049b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043c\u0430\u0443\u0441\u044b\u043c \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "LabelUnairedMissingEpisodesWithinSeasons": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043c\u0430\u0443\u0441\u044b\u043c \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "HeaderVideoPlaybackSettings": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", + "HeaderPlaybackSettings": "\u041e\u0439\u043d\u0430\u0442\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", + "LabelAudioLanguagePreference": "\u0414\u044b\u0431\u044b\u0441 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", + "LabelSubtitleLanguagePreference": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", "OptionDefaultSubtitles": "\u04d8\u0434\u0435\u043f\u043a\u0456", - "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.", - "LabelEnableHttps": "HTTPS \u0445\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b \u0441\u044b\u0440\u0442\u049b\u044b \u043c\u0435\u043a\u0435\u043d\u0435\u0436\u0430\u0439 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0430\u044f\u043d\u0434\u0430\u0443", - "HeaderUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", "OptionOnlyForcedSubtitles": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u043c\u04d9\u0436\u0431\u04af\u0440\u043b\u0456 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "HeaderFilters": "\u0421\u04af\u0437\u0433\u0456\u043b\u0435\u0440:", "OptionAlwaysPlaySubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u04d9\u0440\u049b\u0430\u0448\u0430\u043d \u043e\u0439\u043d\u0430\u0442\u0443", - "LabelEnableHttpsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0435\u0440\u0432\u0435\u0440 HTTPS URL \u0441\u044b\u0440\u0442\u049b\u044b \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0430\u044f\u043d\u0434\u0430\u0439\u0434\u044b.", - "ButtonFilter": "\u0421\u04af\u0437\u0443", + "OptionNoSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u043e\u049b", "OptionDefaultSubtitlesHelp": "\u0422\u0456\u043b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456\u043d\u0435 \u0441\u04d9\u0439\u043a\u0435\u0441 \u043a\u0435\u043b\u0433\u0435\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0434\u044b\u0431\u044b\u0441 \u0448\u0435\u0442\u0435\u043b \u0442\u0456\u043b\u0456\u043d\u0434\u0435 \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430 \u0436\u04af\u043a\u0442\u0435\u043b\u0435\u0434\u0456.", - "OptionFavorite": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", "OptionOnlyForcedSubtitlesHelp": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u043c\u04d9\u0436\u0431\u04af\u0440\u043b\u0456 \u0434\u0435\u043f \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u04af\u043a\u0442\u0435\u043b\u0435\u0434\u0456.", - "LabelHttpsPort": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 https-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", - "OptionLikes": "\u04b0\u043d\u0430\u0442\u0443\u043b\u0430\u0440", "OptionAlwaysPlaySubtitlesHelp": "\u0422\u0456\u043b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456\u043d\u0435 \u0441\u04d9\u0439\u043a\u0435\u0441 \u043a\u0435\u043b\u0433\u0435\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0434\u044b\u0431\u044b\u0441 \u0442\u0456\u043b\u0456\u043d\u0435 \u049b\u0430\u0442\u044b\u0441\u0441\u044b\u0437 \u0436\u04af\u043a\u0442\u0435\u043b\u0435\u0434\u0456.", - "OptionDislikes": "\u04b0\u043d\u0430\u0442\u043f\u0430\u0443\u043b\u0430\u0440", "OptionNoSubtitlesHelp": "\u04d8\u0434\u0435\u043f\u043a\u0456\u0434\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u04af\u043a\u0442\u0435\u043b\u043c\u0435\u0439\u0434\u0456.", - "LabelHttpsPortHelp": "Emby HTTPS-\u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 TCP-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", + "TabProfiles": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440", + "TabSecurity": "\u049a\u0430\u0443\u0456\u043f\u0441\u0456\u0437\u0434\u0456\u043a", + "ButtonAddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", + "ButtonAddLocalUser": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", + "ButtonInviteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0448\u0430\u049b\u044b\u0440\u0443", + "ButtonSave": "\u0421\u0430\u049b\u0442\u0430\u0443", + "ButtonResetPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", + "LabelNewPassword": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", + "LabelNewPasswordConfirm": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0440\u0430\u0441\u0442\u0430\u0443:", + "HeaderCreatePassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0436\u0430\u0441\u0430\u0443", + "LabelCurrentPassword": "\u0410\u0493\u044b\u043c\u0434\u0430\u0493\u044b \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437:", + "LabelMaxParentalRating": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u04b1\u0439\u0493\u0430\u0440\u044b\u043d\u0434\u044b \u0436\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b:", + "MaxParentalRatingHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0436\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b \u0431\u0430\u0440 \u043c\u0430\u0437\u043c\u04b1\u043d \u0436\u0430\u0441\u044b\u0440\u044b\u043b\u0430\u0434\u044b", + "LibraryAccessHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u04a3\u0456\u0437. \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u04e9\u04a3\u0434\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", + "ChannelAccessHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u04a3\u0456\u0437. \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0431\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u04e9\u04a3\u0434\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", + "ButtonDeleteImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u0436\u043e\u044e", + "LabelSelectUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", + "ButtonUpload": "\u041a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443", + "HeaderUploadNewImage": "\u0416\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0456 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443", + "LabelDropImageHere": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u043c\u04b1\u043d\u0434\u0430 \u0441\u04af\u0439\u0440\u0435\u0442\u0456\u04a3\u0456\u0437", + "ImageUploadAspectRatioHelp": "1:1 \u043f\u0456\u0448\u0456\u043c\u0434\u0456\u043a \u0430\u0440\u0430\u049b\u0430\u0442\u044b\u043d\u0430\u0441\u044b \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b. \u0422\u0435\u043a \u049b\u0430\u043d\u0430 JPG\/PNG.", + "MessageNothingHere": "\u041e\u0441\u044b\u043d\u0434\u0430 \u0435\u0448\u0442\u0435\u043c\u0435 \u0436\u043e\u049b.", + "MessagePleaseEnsureInternetMetadata": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u04a3\u0456\u0437.", + "TabSuggested": "\u04b0\u0441\u044b\u043d\u044b\u043b\u0493\u0430\u043d", + "TabSuggestions": "\u04b0\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440", + "TabLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456", + "TabUpcoming": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d", + "TabShows": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440", + "TabEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "TabGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", + "TabPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", + "TabNetworks": "\u0416\u0435\u043b\u0456\u043b\u0435\u0440", + "HeaderUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", + "HeaderFilters": "\u0421\u04af\u0437\u0433\u0456\u043b\u0435\u0440:", + "ButtonFilter": "\u0421\u04af\u0437\u0443", + "OptionFavorite": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", + "OptionLikes": "\u04b0\u043d\u0430\u0442\u0443\u043b\u0430\u0440", + "OptionDislikes": "\u04b0\u043d\u0430\u0442\u043f\u0430\u0443\u043b\u0430\u0440", "OptionActors": "\u0410\u043a\u0442\u0435\u0440\u043b\u0435\u0440", - "TangibleSoftwareMessage": "\u0421\u044b\u0439\u043b\u0430\u043d\u0493\u0430\u043d \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u044f \u0430\u0440\u049b\u044b\u043b\u044b Tangible Solutions Java\/C# \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0433\u0456\u0448\u0442\u0435\u0440\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430.", "OptionGuestStars": "\u0428\u0430\u049b\u044b\u0440\u044b\u043b\u0493\u0430\u043d \u0430\u043a\u0442\u0435\u0440\u043b\u0435\u0440", - "HeaderCredits": "\u049a\u04b1\u049b\u044b\u049b \u0438\u0435\u043b\u0435\u043d\u0443\u0448\u0456\u043b\u0435\u0440", "OptionDirectors": "\u0420\u0435\u0436\u0438\u0441\u0441\u0435\u0440\u043b\u0435\u0440", - "TabCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", "OptionWriters": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0439\u0448\u0456\u043b\u0435\u0440", - "TabFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", "OptionProducers": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440\u043b\u0435\u0440", - "TabMyLibrary": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043c", - "HeaderServices": "\u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", "HeaderResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443", - "LabelCustomizeOptionsPerMediaType": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u04af\u0440\u0456 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443:", "HeaderNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0456", "NoNextUpItemsMessage": "\u0415\u0448\u0442\u0435\u04a3\u0435 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b. \u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u0430\u0440\u0430\u0439 \u0431\u0430\u0441\u0442\u0430\u04a3\u044b\u0437!", "HeaderLatestEpisodes": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", "ButtonSort": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443", "HeaderSortBy": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443 \u0442\u04d9\u0441\u0456\u043b\u0456:", - "OptionEnableAccessToAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", "HeaderSortOrder": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443 \u0440\u0435\u0442\u0456:", - "LabelAutomaticUpdates": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b \u049b\u043e\u0441\u0443", "OptionPlayed": "\u041e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "LabelFanartApiKey": "\u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442:", "OptionUnplayed": "\u041e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d", - "LabelFanartApiKeyHelp": "\u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442\u0456\u0441\u0456\u0437 Fanart \u04af\u0448\u0456\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u0440\u0493\u0430 7 \u043a\u04af\u043d\u0456\u043d\u0435\u043d \u0431\u04b1\u0440\u044b\u043d \u0440\u0430\u0441\u0442\u0430\u043b\u0493\u0430\u043d \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u049b\u0430\u0439\u0442\u0430\u0440\u044b\u043b\u0430\u0434\u044b. \u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442\u0456\u043c\u0435\u043d \u0431\u04b1\u043b 48 \u0441\u0430\u0493\u0430\u0442\u049b\u0430 \u0434\u0435\u0439\u0456\u043d \u049b\u044b\u0441\u049b\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b, \u0430\u043b,\u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b, Fanart VIP-\u043c\u04af\u0448\u0435\u0441\u0456 \u0431\u043e\u043b\u0441\u0430\u04a3\u044b\u0437, \u0431\u04b1\u043b \u0448\u0430\u043c\u0430\u043c\u0435\u043d 10 \u043c\u0438\u043d\u04e9\u0442\u043a\u0435 \u0434\u0435\u0439\u0456\u043d \u0442\u0430\u0493\u044b \u0434\u0430 \u049b\u044b\u0441\u049b\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b.", "OptionAscending": "\u0410\u0440\u0442\u0443\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430", "OptionDescending": "\u041a\u0435\u043c\u0443\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430", "OptionRuntime": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b", + "OptionReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456", "OptionPlayCount": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0435\u0441\u0435\u0431\u0456", "OptionDatePlayed": "\u041e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456", - "HeaderRepeatingOptions": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "OptionDateAdded": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456", - "HeaderTV": "\u0422\u0414", "OptionAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u0441\u044b", - "HeaderTermsOfService": "Emby \u049b\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b", - "LabelCustomCss": "\u0422\u0435\u04a3\u0448\u0435\u0443\u043b\u0456 CSS:", - "OptionDetectArchiveFilesAsMedia": "\u041c\u04b1\u0440\u0430\u0493\u0430\u0442\u0442\u0430\u043b\u0493\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0442\u0430\u0431\u0443", "OptionArtist": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b", - "MessagePleaseAcceptTermsOfService": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u0441 \u0431\u04b1\u0440\u044b\u043d \u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u0436\u04d9\u043d\u0435 \u049a\u04b1\u043f\u0438\u044f\u043b\u044b\u043b\u044b\u049b \u0441\u0430\u044f\u0441\u0430\u0442\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u04a3\u044b\u0437.", - "OptionDetectArchiveFilesAsMediaHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, .rar \u0436\u04d9\u043d\u0435 .zip \u043a\u0435\u04a3\u0435\u0439\u0442\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", "OptionAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", - "OptionIAcceptTermsOfService": "\u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0439\u043c\u044b\u043d", - "LabelCustomCssHelp": "\u04e8\u0437\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u0443\u043b\u0456 CSS-\u043a\u043e\u0434\u044b\u043d \u0432\u0435\u0431-\u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0434\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u04a3\u044b\u0437.", "OptionTrackName": "\u0416\u043e\u043b\u0448\u044b\u049b \u0430\u0442\u044b", - "ButtonPrivacyPolicy": "\u049a\u04b1\u043f\u0438\u044f\u043b\u044b\u043b\u044b\u049b \u0441\u0430\u044f\u0441\u0430\u0442\u044b\u043d\u0430", - "LabelSelectUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:", "OptionCommunityRating": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", - "ButtonTermsOfService": "\u049a\u044b\u0437\u043c\u0435\u0442 \u0448\u0430\u0440\u0442\u0442\u0430\u0440\u044b\u043d\u0430", "OptionNameSort": "\u0410\u0442\u044b", + "OptionFolderSort": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440", "OptionBudget": "\u0411\u044e\u0434\u0436\u0435\u0442", - "OptionHideUserFromLoginHelp": "\u0416\u0435\u043a\u0435 \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0441\u044b\u0440\u044b\u043d \u04d9\u043a\u0456\u043c\u0448\u0456 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043b\u0435\u0440\u0456 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u044b. \u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043c\u0435\u043d \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0435\u043d\u0433\u0456\u0437\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", "OptionRevenue": "\u0422\u0430\u0431\u044b\u0441", "OptionPoster": "\u0416\u0430\u0440\u049b\u0430\u0493\u0430\u0437", + "OptionPosterCard": "\u0416\u0430\u0440\u049b\u0430\u0493\u0430\u0437-\u043a\u0430\u0440\u0442\u0430", + "OptionBackdrop": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442", "OptionTimeline": "\u0423\u0430\u049b\u044b\u0442 \u0448\u043a\u0430\u043b\u0430\u0441\u044b", + "OptionThumb": "\u041d\u043e\u0431\u0430\u0439", + "OptionThumbCard": "\u041d\u043e\u0431\u0430\u0439-\u043a\u0430\u0440\u0442\u0430", + "OptionBanner": "\u0411\u0430\u043d\u043d\u0435\u0440", "OptionCriticRating": "\u0421\u044b\u043d\u0448\u044b\u043b\u0430\u0440 \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", "OptionVideoBitrate": "\u0411\u0435\u0439\u043d\u0435 \u049b\u0430\u0440\u049b\u044b\u043d\u044b", "OptionResumable": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0430\u043b\u0430\u0442\u044b\u043d", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b", "TabMyPlugins": "\u041c\u0435\u043d\u0456\u04a3 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0456\u043c", "TabCatalog": "\u0422\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435", - "ThisWizardWillGuideYou": "\u0411\u04b1\u043b \u043a\u043e\u043c\u0435\u043a\u0448\u0456 \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443 \u043f\u0440\u043e\u0446\u0435\u0441\u0456 \u0441\u0430\u0442\u044b\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u04e9\u0442\u043a\u0456\u0437\u0435\u0434\u0456. \u0411\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u04e9\u0437\u0456\u04a3\u0456\u0437\u0433\u0435 \u0442\u0456\u043b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", - "TellUsAboutYourself": "\u04e8\u0437\u0456\u04a3\u0456\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u0430\u0439\u0442\u044b\u04a3\u044b\u0437", + "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440", "HeaderAutomaticUpdates": "\u0410\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440", - "LabelYourFirstName": "\u0410\u0442\u044b\u04a3\u044b\u0437:", - "LabelPinCode": "PIN-\u043a\u043e\u0434:", - "MoreUsersCanBeAddedLater": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u043a\u0435\u0439\u0456\u043d \u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u04af\u0441\u0442\u0435\u0443\u0456\u04a3\u0456\u0437 \u043c\u04af\u043c\u043a\u0456\u043d.", "HeaderNowPlaying": "\u049a\u0430\u0437\u0456\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443\u0434\u0430", - "UserProfilesIntro": "Emby \u0456\u0448\u0456\u043d\u0434\u0435 \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456 \u043e\u0439\u043d\u0430\u0442\u0443 \u043a\u04af\u0439\u0456 \u0436\u04d9\u043d\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u044b \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u044b\u049b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d\u044b\u04a3 \u043a\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u044b \u0431\u0430\u0440.", "HeaderLatestAlbums": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", - "LabelWindowsService": "Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456", "HeaderLatestSongs": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u04d9\u0443\u0435\u043d\u0434\u0435\u0440", - "ButtonExit": "\u0428\u044b\u0493\u0443", - "ButtonConvertMedia": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443", - "AWindowsServiceHasBeenInstalled": "Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b.", "HeaderRecentlyPlayed": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430\u0440", - "LabelTimeLimitHours": "\u0423\u0430\u049b\u044b\u0442 \u0448\u0435\u0433\u0456 (\u0441\u0430\u0493\u0430\u0442):", - "WindowsServiceIntro1": "Emby Server \u04d9\u0434\u0435\u0442\u0442\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043c\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0456\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u0435\u0433\u0435\u0440 \u043e\u043d\u044b\u04a3 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u04e9\u04a3\u0434\u0456\u043a \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u04b1\u043d\u0430\u0442\u0441\u0430\u04a3\u044b\u0437, \u043e\u0441\u044b\u043d\u044b\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \u0431\u04b1\u043b Windows \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0442\u0435\u0443\u0456\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", "HeaderFrequentlyPlayed": "\u0416\u0438\u0456 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430\u0440", - "ButtonOrganize": "\u04b0\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", - "WindowsServiceIntro2": "\u0415\u0433\u0435\u0440 Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430 \u0431\u043e\u043b\u0441\u0430, \u0435\u0441\u043a\u0435\u0440\u0456\u04a3\u0456\u0437, \u0431\u04b1\u043b \u0441\u043e\u043b \u043c\u0435\u0437\u0433\u0456\u043b\u0434\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0434\u0435\u0439 \u0436\u04af\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441, \u0441\u043e\u043d\u044b\u043c\u0435\u043d \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u043d \u0448\u044b\u0493\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442. \u0421\u043e\u0493\u0430\u043d \u049b\u0430\u0442\u0430\u0440, \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 \u04d9\u043a\u0456\u043c\u0448\u0456 \u049b\u04b1\u049b\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430 \u0438\u0435 \u0431\u043e\u043b\u044b\u043f \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0442\u0435\u0443\u0456\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u049b\u0430\u0436\u0435\u0442. \u041d\u0430\u0437\u0430\u0440 \u0430\u0443\u0434\u0430\u0440\u044b\u04a3\u044b\u0437! \u049a\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0431\u04b1\u043b \u049b\u044b\u0437\u043c\u0435\u0442 \u04e9\u0437\u0456\u043d\u0435\u043d-\u04e9\u0437\u0456 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u043c\u0430\u0439\u0434\u044b, \u0441\u043e\u043d\u0434\u044b\u049b\u0442\u0430\u043d \u0436\u0430\u04a3\u0430 \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440 \u049b\u043e\u043b\u043c\u0435\u043d \u04e9\u0437\u0430\u0440\u0430 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0441\u0443\u0434\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "DevBuildWarning": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443 \u049b\u04b1\u0440\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u0430\u0440 \u0435\u04a3 \u0430\u043b\u0434\u044b\u04a3\u0493\u044b \u049b\u0430\u0442\u0430\u0440\u043b\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b. \u0416\u0438\u0456 \u0448\u044b\u0493\u0430\u0440\u043b\u044b\u043f \u043c\u044b\u043d\u0430 \u049b\u04b1\u0440\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u0430\u0440 \u0442\u043e\u043b\u044b\u049b \u0441\u044b\u043d\u0430\u049b\u0442\u0430\u043c\u0430\u043b\u0430\u0443\u0434\u0430\u043d \u04e9\u0442\u043f\u0435\u0433\u0435\u043d. \u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0431\u04b1\u0437\u044b\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u04d9\u043d\u0435 \u0430\u049b\u044b\u0440 \u0430\u044f\u0493\u044b\u043d\u0434\u0430 \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440 \u0431\u04af\u0442\u0456\u043d\u0434\u0435\u0439 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u043c\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", - "HeaderGrownupsOnly": "\u0422\u0435\u043a \u0435\u0440\u0435\u0441\u0435\u043a\u0442\u0435\u0440!", - "WizardCompleted": "\u04d8\u0437\u0456\u0440\u0448\u0435 \u0431\u04b1\u043b \u0431\u0456\u0437\u0433\u0435 \u043a\u0435\u0440\u0435\u0433\u0456\u043d\u0456\u04a3 \u0431\u04d9\u0440\u0456 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b. Emby \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u04a3\u044b\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0438\u043d\u0430\u0439 \u0431\u0430\u0441\u0442\u0430\u0434\u044b. \u0415\u043d\u0434\u0456 \u043a\u0435\u0439\u0431\u0456\u0440 \u0431\u0456\u0437\u0434\u0456\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043c\u044b\u0437\u0431\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437, \u0436\u04d9\u043d\u0435 \u043a\u0435\u0439\u0456\u043d \u0414\u0430\u0439\u044b\u043d<\/b> \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b<\/b> \u049b\u0430\u0440\u0430\u0443\u0493\u0430 \u0448\u044b\u0493\u044b \u043a\u0435\u043b\u0435\u0434\u0456.", - "ButtonJoinTheDevelopmentTeam": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440 \u0442\u043e\u0431\u044b\u043d\u0430 \u043a\u0456\u0440\u0443", - "LabelConfigureSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443", - "LabelEnableVideoImageExtraction": "\u0411\u0435\u0439\u043d\u0435 \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "DividerOr": "-- \u043d\u0435\u043c\u0435\u0441\u0435 --", - "OptionEnableAccessToAllLibraries": "\u0411\u0430\u0440\u043b\u044b\u049b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043b\u0430\u0440\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "VideoImageExtractionHelp": "\u04d8\u043b\u0456 \u0434\u0435 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456 \u0436\u043e\u049b, \u0436\u04d9\u043d\u0435 \u043e\u043b\u0430\u0440 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u04af\u0448\u0456\u043d. \u0411\u04b1\u043b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b\u04a3 \u0431\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u0456 \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0443\u0430\u049b\u044b\u0442 \u04af\u0441\u0442\u0435\u0439\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u04b1\u043d\u0430\u043c\u0434\u044b\u043b\u0430\u0443 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043c \u0431\u043e\u043b\u0430\u0434\u044b.", - "LabelEnableChapterImageExtractionForMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "HeaderInstalledServices": "\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", - "LabelChapterImageExtractionForMoviesHelp": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0441\u0430\u0445\u043d\u0430 \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u0443\u0433\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043f\u0440\u043e\u0446\u0435\u0441 \u0431\u0430\u044f\u0443, \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0442\u043e\u0437\u0434\u044b\u0440\u0430\u0442\u044b\u043d \u0436\u04d9\u043d\u0435 \u0431\u0456\u0440\u0430\u0437 \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0442\u0456\u043d \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d. \u0411\u04b1\u043b \u0442\u04af\u043d\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456, \u0434\u0435\u0433\u0435\u043d\u043c\u0435\u043d \u0431\u04b1\u043b \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0434\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0434\u0456. \u0411\u04b1\u043b \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u0430\u0440\u0431\u0430\u043b\u0430\u0441 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u043e\u0440\u044b\u043d\u0434\u0430\u0443 \u04b1\u0441\u044b\u043d\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", - "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440", - "HeaderToAccessPleaseEnterEasyPinCode": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u0442\u044b \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437", - "LabelEnableAutomaticPortMapping": "\u041f\u043e\u0440\u0442 \u0430\u0432\u0442\u043e\u0441\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443", - "HeaderSupporterBenefits": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u044b", - "LabelEnableAutomaticPortMappingHelp": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d UPnP \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448\u0442\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448 \u04af\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.", - "HeaderAvailableServices": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443\u043b\u044b \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", - "ButtonOk": "\u0416\u0430\u0440\u0430\u0439\u0434\u044b", - "KidsModeAdultInstruction": "\u0422\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u0442\u04e9\u043c\u0435\u0434\u0435\u0433\u0456 \u043e\u04a3 \u0436\u0430\u049b\u0442\u0430\u0493\u044b \u049b\u04b1\u043b\u044b\u043f \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0441\u0456\u043d \u043d\u04b1\u049b\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0431\u0430\u043b\u0430\u043b\u044b\u049b \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437. PIN-\u043a\u043e\u0434\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", - "ButtonCancel": "\u0411\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", - "HeaderAddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", - "HeaderSetupLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443", - "MessageNoServicesInstalled": "\u049a\u0430\u0437\u0456\u0440\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d", - "ButtonAddMediaFolder": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443", - "ButtonConfigurePinCode": "PIN-\u043a\u043e\u0434\u0442\u044b \u0442\u0435\u04a3\u0448\u0435\u0443", - "LabelFolderType": "\u049a\u0430\u043b\u0442\u0430 \u0442\u04af\u0440\u0456:", - "LabelAddConnectSupporterHelp": "\u0422\u0456\u0437\u0456\u043c\u0434\u0435 \u0436\u043e\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443 \u04af\u0448\u0456\u043d, \u0430\u043b\u0434\u044b\u043c\u0435\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u044b\u049b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b \u0431\u0435\u0442\u0456\u043d\u0435\u043d Emby Connect \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u043e\u043d\u044b\u04a3 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u0440\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442.", - "ReferToMediaLibraryWiki": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0443\u0440\u0430\u043b\u044b \u0443\u0438\u043a\u0438 \u0456\u0448\u0456\u043d\u0435\u043d \u049b\u0430\u0440\u0430\u04a3\u044b\u0437.", - "HeaderAdultsReadHere": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0435\u0440, \u043c\u044b\u043d\u0430\u043d\u044b \u043e\u049b\u044b\u04a3\u044b\u0437!", - "LabelCountry": "\u0415\u043b:", - "LabelLanguage": "\u0422\u0456\u043b:", - "HeaderPreferredMetadataLanguage": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", - "LabelEnableEnhancedMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456\u04a3 \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443", - "LabelSaveLocalMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0456\u0448\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u0443", - "LabelSaveLocalMetadataHelp": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0456\u0448\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u043b\u0443\u044b \u043e\u043b\u0430\u0440\u0434\u044b \u0436\u0435\u04a3\u0456\u043b \u04e9\u04a3\u0434\u0435\u0439 \u0430\u043b\u0430\u0442\u044b\u043d \u043e\u0440\u044b\u043d\u0493\u0430 \u049b\u043e\u044f\u0434\u044b.", - "LabelDownloadInternetMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", - "LabelEnableEnhancedMoviesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456, \u049b\u043e\u0441\u044b\u043c\u0448\u0430\u043b\u0430\u0440\u0434\u044b, \u0442\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u049b\u0430\u0442\u044b\u0441\u0442\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u049b\u0430\u043c\u0442\u0443 \u04af\u0448\u0456\u043d, \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u049b\u0430\u043b\u0442\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456", - "HeaderDeviceAccess": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "LabelDownloadInternetMetadataHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043a\u04e9\u0440\u043c\u0435\u043b\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d Emby Server \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u0443\u0440\u0430\u043b\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", - "OptionThumb": "\u041d\u043e\u0431\u0430\u0439", - "LabelExit": "\u0428\u044b\u0493\u0443", - "OptionBanner": "\u0411\u0430\u043d\u043d\u0435\u0440", - "LabelVisitCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b\u049b\u0430 \u0431\u0430\u0440\u0443", "LabelVideoType": "\u0411\u0435\u0439\u043d\u0435 \u0442\u04af\u0440\u0456:", "OptionBluray": "BluRay", - "LabelSwagger": "Swagger \u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0456", "OptionDvd": "DVD", - "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u0442\u044b", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "\u0411\u0430\u0440\u043b\u044b\u049b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "LabelBrowseLibrary": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443", "LabelFeatures": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440:", - "DeviceAccessHelp": "\u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0456\u0440\u0435\u0433\u0435\u0439 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0448\u043e\u043b\u0493\u044b\u0448\u043f\u0435\u043d \u049b\u0430\u043d\u0442\u044b\u043d\u0430\u0443\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u043c\u0430\u0439\u0434\u044b. \u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0441\u044b\u043d\u0430\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0441\u04af\u0437\u0433\u0456\u043b\u0435\u0443\u0456 \u0436\u0430\u04a3\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u043c\u04b1\u043d\u0434\u0430 \u0431\u0435\u043a\u0456\u0442\u0456\u043b\u0433\u0435\u043d\u0448\u0435 \u0434\u0435\u0439\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0430\u0434\u044b.", - "ChannelAccessHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u04a3\u0456\u0437. \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0431\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u04e9\u04a3\u0434\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", + "LabelService": "\u049a\u044b\u0437\u043c\u0435\u0442:", + "LabelStatus": "\u041a\u04af\u0439:", + "LabelVersion": "\u041d\u04b1\u0441\u049b\u0430:", + "LabelLastResult": "\u0421\u043e\u04a3\u0493\u044b \u043d\u04d9\u0442\u0438\u0436\u0435:", "OptionHasSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "LabelOpenLibraryViewer": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u049b\u0430\u0440\u0430\u0443 \u049b\u04b1\u0440\u0430\u043b\u044b", "OptionHasTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440", - "LabelRestartServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", "OptionHasThemeSong": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d", - "LabelShowLogWindow": "\u0416\u04b1\u0440\u043d\u0430\u043b \u0442\u0435\u0440\u0435\u0437\u0435\u0441\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443", "OptionHasThemeVideo": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u0431\u0435\u0439\u043d\u0435", - "LabelPrevious": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b", "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "LabelFinish": "\u0410\u044f\u049b\u0442\u0430\u0443", "TabStudios": "\u0421\u0442\u0443\u0434\u0438\u044f\u043b\u0430\u0440", - "FolderTypeMixed": "\u0410\u0440\u0430\u043b\u0430\u0441 \u043c\u0430\u0437\u043c\u04b1\u043d", - "LabelNext": "\u041a\u0435\u043b\u0435\u0441\u0456", "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", - "FolderTypeMovies": "\u041a\u0438\u043d\u043e", - "LabelYoureDone": "\u0411\u04d9\u0440\u0456 \u0434\u0430\u0439\u044b\u043d!", + "LabelArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440:", + "LabelArtistsHelp": "\u0411\u0456\u0440\u043d\u0435\u0448\u0443\u0456\u043d (;) \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u04a3\u0456\u0437", "HeaderLatestMovies": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0433\u0435", - "HeaderSyncRequiresSupporterMembership": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043b\u044b\u049b \u043c\u04af\u0448\u0435\u043b\u0456\u043a \u049b\u0430\u0436\u0435\u0442", "HeaderLatestTrailers": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", - "FolderTypeAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a\u0442\u0456\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", "OptionHasSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440", - "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443", - "HeaderEnjoyDayTrial": "\u0422\u0435\u0433\u0456\u043d \u0441\u044b\u043d\u0430\u0443\u0434\u044b 14 \u043a\u04af\u043d \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u04a3\u044b\u0456\u0437", "OptionImdbRating": "IMDb \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", - "LabelFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437", "OptionParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442", - "FolderTypeHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", - "LabelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f:", "OptionPremiereDate": "\u0422\u04b1\u0441\u0430\u0443\u043a\u0435\u0441\u0435\u0440 \u043a\u04af\u043d-\u0430\u0439\u044b", - "FolderTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "ButtonRefresh": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", "TabBasic": "\u041d\u0435\u0433\u0456\u0437\u0433\u0456\u043b\u0435\u0440", - "FolderTypeBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "HeaderPlaybackSettings": "\u041e\u0439\u043d\u0430\u0442\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "TabAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", - "FolderTypeTvShows": "\u0422\u0414", "HeaderStatus": "\u041a\u04af\u0439", "OptionContinuing": "\u0416\u0430\u043b\u0493\u0430\u0441\u0443\u0434\u0430", "OptionEnded": "\u0410\u044f\u049b\u0442\u0430\u043b\u0434\u044b", - "HeaderSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "TabPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440", "HeaderAirDays": "\u042d\u0444\u0438\u0440 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", - "OptionReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456", - "TabPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", - "HeaderEasyPinCode": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434", "OptionSunday": "\u0436\u0435\u043a\u0441\u0435\u043d\u0431\u0456", - "LabelArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440:", - "TabLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", "OptionMonday": "\u0434\u04af\u0439\u0441\u0435\u043d\u0431\u0456", - "LabelArtistsHelp": "\u0411\u0456\u0440\u043d\u0435\u0448\u0443\u0456\u043d (;) \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u04a3\u0456\u0437", - "TabImage": "\u0421\u0443\u0440\u0435\u0442", - "TabActivityLog": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440 \u0436\u04b1\u0440\u043d\u0430\u043b\u044b", "OptionTuesday": "\u0441\u0435\u0439\u0441\u0435\u043d\u0431\u0456", - "ButtonAdvancedRefresh": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", - "TabProfile": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b", - "HeaderName": "\u0410\u0442\u044b", "OptionWednesday": "\u0441\u04d9\u0440\u0441\u0435\u043d\u0431\u0456", - "LabelDisplayMissingEpisodesWithinSeasons": "\u0416\u043e\u049b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043c\u0430\u0443\u0441\u044b\u043c \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "HeaderDate": "\u041a\u04af\u043d\u0456", "OptionThursday": "\u0431\u0435\u0439\u0441\u0435\u043d\u0431\u0456", - "LabelUnairedMissingEpisodesWithinSeasons": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043c\u0430\u0443\u0441\u044b\u043c \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "HeaderSource": "\u041a\u04e9\u0437\u0456", "OptionFriday": "\u0436\u04b1\u043c\u0430", - "ButtonAddLocalUser": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", - "HeaderVideoPlaybackSettings": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "HeaderDestination": "\u0422\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u0443", "OptionSaturday": "\u0441\u0435\u043d\u0431\u0456", - "LabelAudioLanguagePreference": "\u0414\u044b\u0431\u044b\u0441 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", - "HeaderProgram": "\u0411\u0435\u0440\u0456\u043b\u0456\u043c", "HeaderManagement": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "OptionMissingTmdbId": "TMDb Id \u0436\u043e\u049b", - "LabelSubtitleLanguagePreference": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", - "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440", + "LabelManagement": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", "OptionMissingImdbId": "IMDb Id \u0436\u043e\u049b", - "OptionIsHD": "HD", - "HeaderAudio": "\u0414\u044b\u0431\u044b\u0441", - "LabelCompleted": "\u0410\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d", "OptionMissingTvdbId": "TheTVDB Id \u0436\u043e\u049b", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "\u0422\u0435\u0437 \u0431\u0430\u0441\u0442\u0430\u0443 \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u044b\u0493\u044b\u043d\u0430", - "TabProfiles": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440", "OptionMissingOverview": "\u0416\u0430\u043b\u043f\u044b \u0448\u043e\u043b\u0443 \u0436\u043e\u049b", + "OptionFileMetadataYearMismatch": "\u0424\u0430\u0439\u043b\/\u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0436\u044b\u043b\u044b \u0441\u04d9\u0439\u043a\u0435\u0441 \u0435\u043c\u0435\u0441", + "TabGeneral": "\u0416\u0430\u043b\u043f\u044b", + "TitleSupport": "\u0416\u0430\u049b\u0442\u0430\u0443", + "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "TabLog": "\u0416\u04b1\u0440\u043d\u0430\u043b", + "LabelEpisodeNumber": "\u042d\u043f\u0438\u0437\u043e\u0434 \u043d\u04e9\u043c\u0456\u0440\u0456", + "TabAbout": "\u0422\u0443\u0440\u0430\u043b\u044b", + "TabSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456", + "TabBecomeSupporter": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u043e\u043b\u0443", + "ProjectHasCommunity": "Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u044b \u043c\u0435\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b\u04a3 \u0434\u0430\u043c\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0493\u044b \u0431\u0430\u0440.", + "CheckoutKnowledgeBase": "Emby \u0435\u04a3 \u04af\u043b\u043a\u0435\u043d \u049b\u0430\u0439\u0442\u0430\u0440\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b\u043d \u0430\u043b\u0443 \u0436\u04e9\u043d\u0456\u043d\u0434\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0443 \u04af\u0448\u0456\u043d \u0411\u0456\u043b\u0456\u043c \u049b\u043e\u0440\u044b\u043d \u049b\u0430\u0440\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437.", + "SearchKnowledgeBase": "\u0411\u0456\u043b\u0456\u043c \u049b\u043e\u0440\u044b\u043d\u0430\u043d \u0456\u0437\u0434\u0435\u0443", + "VisitTheCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b\u049b\u0430 \u0431\u0430\u0440\u0443", + "VisitProjectWebsite": "Emby \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b\u043d\u0430 \u0431\u0430\u0440\u0443", + "VisitProjectWebsiteLong": "\u0421\u043e\u04a3\u0493\u044b \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0431\u0456\u043b\u0456\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0436\u04d9\u043d\u0435 \u0436\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440 \u0431\u043b\u043e\u0433\u0456\u043c\u0435\u043d \u0442\u0430\u043d\u044b\u0441\u044b\u043f \u0442\u04b1\u0440\u0443 \u04af\u0448\u0456\u043d Emby \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b\u043d\u0430 \u0431\u0430\u0440\u044b\u04a3\u044b\u0437.", + "OptionHideUser": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u043a\u0456\u0440\u0443 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0440\u044b\u043d\u0430\u043d \u0436\u0430\u0441\u044b\u0440\u0443", + "OptionHideUserFromLoginHelp": "\u0416\u0435\u043a\u0435 \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0441\u044b\u0440\u044b\u043d \u04d9\u043a\u0456\u043c\u0448\u0456 \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u043b\u0435\u0440\u0456 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u044b. \u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043c\u0435\u043d \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0435\u043d\u0433\u0456\u0437\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b.", + "OptionDisableUser": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0443", + "OptionDisableUserHelp": "\u0415\u0433\u0435\u0440 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u044b\u043d\u0441\u0430, \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u043f\u0435\u0439\u0434\u0456. \u0411\u0430\u0440 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0434\u0430\u0440 \u043a\u0435\u043d\u0435\u0442 \u04af\u0437\u0456\u043b\u0435\u0434\u0456.", + "HeaderAdvancedControl": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", + "LabelName": "\u0410\u0442\u044b:", + "ButtonHelp": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u0433\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043c\u0430\u0493\u0430", + "OptionAllowUserToManageServer": "\u0411\u0443\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "HeaderFeatureAccess": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0433\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "OptionAllowMediaPlayback": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowBrowsingLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowDeleteLibraryContent": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u043e\u044e\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowManageLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0436\u0430\u0437\u0443\u044b\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowRemoteControlOthers": "\u0411\u0430\u0441\u049b\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowRemoteSharedDevices": "\u041e\u0440\u0442\u0430\u049b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-\u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0493\u0430\u043d\u0448\u0430 \u0434\u0435\u0439\u0456\u043d \u043e\u0440\u0442\u0430\u049b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0435\u0441\u0435\u043f\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", + "OptionAllowLinkSharing": "\u04d8\u043b\u0435\u0443\u043c\u0435\u0442\u0442\u0456\u043a \u0436\u0435\u043b\u0456\u043b\u0435\u0440\u0456\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowLinkSharingHelp": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u0443\u0440\u0430\u043b\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u049b\u0430\u043c\u0442\u0438\u0442\u044b\u043d \u0432\u0435\u0431-\u0431\u0435\u0442\u0442\u0435\u0440\u0456 \u043e\u0440\u0442\u0430\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0435\u0448\u049b\u0430\u0448\u0430\u043d \u043e\u0440\u0442\u0430\u049b \u0436\u0430\u0440\u0438\u044f\u043b\u0430\u043d\u0431\u0430\u0439\u0434\u044b. \u041e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u0443\u0430\u049b\u044b\u0442\u043f\u0435\u043d \u0448\u0435\u043a\u0442\u0435\u043b\u0435\u0434\u0456 \u0436\u04d9\u043d\u0435 \u043c\u0435\u0440\u0437\u0456\u043c\u0456 \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d\u0456\u04a3 \u043d\u0435\u0433\u0456\u0437\u0456\u043d\u0434\u0435 \u0430\u044f\u049b\u0442\u0430\u043b\u0430\u0434\u044b.", + "HeaderSharing": "\u041e\u0440\u0442\u0430\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", + "HeaderRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", + "OptionMissingTmdbId": "TMDb Id \u0436\u043e\u049b", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b", - "HeaderSyncJobInfo": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u044b", - "TabSecurity": "\u049a\u0430\u0443\u0456\u043f\u0441\u0456\u0437\u0434\u0456\u043a", - "HeaderVideo": "\u0411\u0435\u0439\u043d\u0435", - "LabelSkipped": "\u04e8\u0442\u043a\u0456\u0437\u0456\u043b\u0433\u0435\u043d", - "OptionFileMetadataYearMismatch": "\u0424\u0430\u0439\u043b\/\u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0436\u044b\u043b\u044b \u0441\u04d9\u0439\u043a\u0435\u0441 \u0435\u043c\u0435\u0441", "ButtonSelect": "\u0411\u04e9\u043b\u0435\u043a\u0442\u0435\u0443", - "ButtonAddUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u04af\u0441\u0442\u0435\u0443", - "HeaderEpisodeOrganization": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0456 \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", - "TabGeneral": "\u0416\u0430\u043b\u043f\u044b", "ButtonGroupVersions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443", - "TabGuide": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448", - "ButtonSave": "\u0421\u0430\u049b\u0442\u0430\u0443", - "TitleSupport": "\u0416\u0430\u049b\u0442\u0430\u0443", + "ButtonAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443", "PismoMessage": "\u0421\u044b\u0439\u043b\u0430\u043d\u0493\u0430\u043d \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u044f \u0430\u0440\u049b\u044b\u043b\u044b Pismo File Mount \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430.", - "TabChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "ButtonResetPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:", - "TabLog": "\u0416\u04b1\u0440\u043d\u0430\u043b", + "TangibleSoftwareMessage": "\u0421\u044b\u0439\u043b\u0430\u043d\u0493\u0430\u043d \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u044f \u0430\u0440\u049b\u044b\u043b\u044b Tangible Solutions Java\/C# \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0433\u0456\u0448\u0442\u0435\u0440\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430.", + "HeaderCredits": "\u049a\u04b1\u049b\u044b\u049b \u0438\u0435\u043b\u0435\u043d\u0443\u0448\u0456\u043b\u0435\u0440", "PleaseSupportOtherProduces": "\u0411\u0456\u0437 \u049b\u043e\u043b\u0434\u0430\u043d\u0430\u0442\u044b\u043d \u0431\u0430\u0441\u049b\u0430 \u0442\u0435\u0433\u0456\u043d \u04e9\u043d\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u04a3\u044b\u0437:", - "HeaderChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "LabelNewPassword": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", - "LabelEpisodeNumber": "\u0411\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:", - "TabAbout": "\u0422\u0443\u0440\u0430\u043b\u044b", "VersionNumber": "\u041d\u04b1\u0441\u049b\u0430\u0441\u044b: {0}", - "TabRecordings": "\u0416\u0430\u0437\u0431\u0430\u043b\u0430\u0440", - "LabelNewPasswordConfirm": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0440\u0430\u0441\u0442\u0430\u0443:", - "LabelEndingEpisodeNumber": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0456\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:", - "TabSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456", "TabPaths": "\u0416\u043e\u043b\u0434\u0430\u0440", - "TabScheduled": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d", - "HeaderCreatePassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0436\u0430\u0441\u0430\u0443", - "LabelEndingEpisodeNumberHelp": "\u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u0431\u04e9\u043b\u0456\u043c\u0456 \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u04af\u0448\u0456\u043d", - "TabBecomeSupporter": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u043e\u043b\u0443", "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "TabSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "LabelCurrentPassword": "\u0410\u0493\u044b\u043c\u0434\u0430\u0493\u044b \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437:", - "HeaderSupportTheTeam": "Emby \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437", "TabTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443", - "ButtonCancelRecording": "\u0416\u0430\u0437\u0443\u0434\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", - "LabelMaxParentalRating": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u04b1\u0439\u0493\u0430\u0440\u044b\u043d\u0434\u044b \u0436\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b:", - "LabelSupportAmount": "\u0421\u043e\u043c\u0430\u0441\u044b (USD)", - "CheckoutKnowledgeBase": "Emby \u0435\u04a3 \u04af\u043b\u043a\u0435\u043d \u049b\u0430\u0439\u0442\u0430\u0440\u044b\u043c\u0434\u044b\u043b\u044b\u0493\u044b\u043d \u0430\u043b\u0443 \u0436\u04e9\u043d\u0456\u043d\u0434\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0443 \u04af\u0448\u0456\u043d \u0411\u0456\u043b\u0456\u043c \u049b\u043e\u0440\u044b\u043d \u049b\u0430\u0440\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437.", "TitleAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", - "HeaderPrePostPadding": "\u0410\u043b\u0493\u0430\/\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441", - "MaxParentalRatingHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0436\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b \u0431\u0430\u0440 \u043c\u0430\u0437\u043c\u04b1\u043d \u0436\u0430\u0441\u044b\u0440\u044b\u043b\u0430\u0434\u044b", - "HeaderSupportTheTeamHelp": "\u04ae\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u043f \u0431\u04b1\u043b \u0436\u043e\u0431\u0430\u043d\u044b\u04a3 \u04d9\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \u04af\u0448\u0456\u043d \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 \u0431\u0456\u0437 \u0442\u04d9\u0443\u0435\u043b\u0434\u0456 \u0431\u043e\u043b\u0493\u0430\u043d \u0431\u0430\u0441\u049b\u0430 \u0442\u0435\u0433\u0456\u043d \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.", - "SearchKnowledgeBase": "\u0411\u0456\u043b\u0456\u043c \u049b\u043e\u0440\u044b\u043d\u0430\u043d \u0456\u0437\u0434\u0435\u0443", "LabelAutomaticUpdateLevel": "\u0410\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443 \u0434\u0435\u04a3\u0433\u0435\u0439\u0456", - "LabelPrePaddingMinutes": "\u0410\u043b\u0493\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441, \u043c\u0438\u043d:", - "LibraryAccessHelp": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u04a3\u0456\u0437. \u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456\u043d\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u04e9\u04a3\u0434\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", - "ButtonEnterSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0443", - "VisitTheCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b\u049b\u0430 \u0431\u0430\u0440\u0443", + "OptionRelease": "\u0420\u0435\u0441\u043c\u0438 \u0448\u044b\u0493\u0430\u0440\u044b\u043b\u044b\u043c", + "OptionBeta": "\u0411\u0435\u0442\u0430 \u043d\u04b1\u0441\u049b\u0430", + "OptionDev": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443 (\u0442\u04b1\u0440\u0430\u049b\u0441\u044b\u0437)", "LabelAllowServerAutoRestart": "\u0416\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b \u049b\u043e\u043b\u0434\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u0434\u044b \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "OptionPrePaddingRequired": "\u0410\u043b\u0493\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0440\u0435\u043a.", - "OptionNoSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u043e\u049b", - "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 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.", "LabelAllowServerAutoRestartHelp": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0443\u043d\u0448\u044b\u043b\u0430\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0435\u043c\u0435\u0441, \u04d9\u0440\u0435\u043a\u0435\u0442\u0441\u0456\u0437 \u043c\u0435\u0437\u0433\u0456\u043b\u0434\u0435\u0440\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0430\u0434\u044b.", - "LabelPostPaddingMinutes": "\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441, \u043c\u0438\u043d:", - "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\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d\u0430 \u0436\u044b\u043b\u0436\u044b\u0442\u0430\u0434\u044b.", "LabelEnableDebugLogging": "\u041a\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", - "OptionPostPaddingRequired": "\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0440\u0435\u043a.", - "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 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0430\u0440 \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", - "OptionHideUser": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u043a\u0456\u0440\u0443 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0440\u044b\u043d\u0430\u043d \u0436\u0430\u0441\u044b\u0440\u0443", "LabelRunServerAtStartup": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u0434\u0430\u043d \u0431\u0430\u0441\u0442\u0430\u043f \u043e\u0440\u044b\u043d\u0434\u0430\u0443", - "HeaderWhatsOnTV": "\u042d\u0444\u0438\u0440\u0434\u0435", - "ButtonNew": "\u0416\u0430\u0441\u0430\u0443", - "OptionEnableEpisodeOrganization": "\u0416\u0430\u04a3\u0430 \u0431\u04e9\u043b\u0456\u043c \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443", - "OptionDisableUser": "\u0411\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0443", "LabelRunServerAtStartupHelp": "\u0411\u04b1\u043b Windows \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0431\u0430\u0441\u0442\u0430\u0493\u0430\u043d\u0434\u0430 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0430\u0434\u044b. Windows \u049b\u044b\u0437\u043c\u0435\u0442\u0456\u043d \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d, \u049b\u04b1\u0441\u0431\u0435\u043b\u0433\u0456\u043d\u0456 \u0430\u043b\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 Windows \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u0434\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u0440\u044b\u043d\u0434\u0430\u04a3\u044b\u0437. \u041d\u0430\u0437\u0430\u0440 \u0430\u0443\u0434\u0430\u0440\u044b\u04a3\u044b\u0437! \u0411\u04b1\u043b \u0435\u043a\u0435\u0443\u0456\u043d \u0441\u043e\u043b \u043c\u0435\u0437\u0433\u0456\u043b\u0434\u0435 \u0431\u0456\u0440\u0433\u0435 \u043e\u0440\u044b\u043d\u0434\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441, \u0441\u043e\u043d\u044b\u043c\u0435\u043d \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0456 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u0430\u043b\u0434\u044b\u043d\u0430\u043d \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u0442\u0430\u049b\u0442\u0430\u0434\u0430\u0493\u044b \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u0434\u0435\u043d \u0448\u044b\u0493\u044b\u04a3\u044b\u0437.", - "HeaderUpcomingTV": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0422\u0414", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "LabelWatchFolder": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430:", - "OptionDisableUserHelp": "\u0415\u0433\u0435\u0440 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u044b\u043d\u0441\u0430, \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u04b1\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0434\u0430\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u043f\u0435\u0439\u0434\u0456. \u0411\u0430\u0440 \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u0434\u0430\u0440 \u043a\u0435\u043d\u0435\u0442 \u04af\u0437\u0456\u043b\u0435\u0434\u0456.", "ButtonSelectDirectory": "\u049a\u0430\u0442\u0430\u043b\u043e\u0433\u0442\u044b \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u0443", - "TabStatus": "\u041a\u04af\u0439", - "TabImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "LabelWatchFolderHelp": "\"\u0416\u0430\u04a3\u0430 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \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.", - "HeaderAdvancedControl": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", "LabelCustomPaths": "\u049a\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u043e\u043b\u0434\u0430\u0440\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u04d8\u0434\u0435\u043f\u043a\u0456\u043b\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u04e9\u0440\u0456\u0441\u0442\u0435\u0440\u0434\u0456 \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", - "TabSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440", - "TabCollectionTitles": "\u0422\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440", - "TabPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456", - "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", - "LabelName": "\u0410\u0442\u044b:", "LabelCachePath": "\u041a\u044d\u0448\u043a\u0435 \u049b\u0430\u0440\u0430\u0439 \u0436\u043e\u043b:", - "ButtonRefreshGuideData": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", - "LabelMinFileSizeForOrganize": "\u0415\u04a3 \u0430\u0437 \u0444\u0430\u0439\u043b \u04e9\u043b\u0448\u0435\u043c\u0456 (\u041c\u0411):", - "OptionAllowUserToManageServer": "\u0411\u0443\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u0493\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", "LabelCachePathHelp": "\u0421\u0443\u0440\u0435\u0442 \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043a\u044d\u0448 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u0430\u0439\u0493\u0430\u0441\u044b\u043c\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.", - "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", - "ButtonRemove": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443", - "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.", - "HeaderFeatureAccess": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0433\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", "LabelImagesByNamePath": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0433\u0435 \u049b\u0430\u0440\u0430\u0439 \u0436\u043e\u043b:", - "OptionRecordOnAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u0430\u043d \u0436\u0430\u0437\u044b\u043f \u0430\u043b\u0443", - "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, \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\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.", - "TabAccess": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443", - "LabelSeasonFolderPattern": "\u041c\u0430\u0443\u0441\u044b\u043c \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456:", - "OptionAllowMediaPlayback": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", "LabelImagesByNamePathHelp": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u0430\u043a\u0442\u0435\u0440, \u0436\u0430\u043d\u0440, \u0436\u04d9\u043d\u0435 \u0441\u0442\u0443\u0434\u0438\u044f \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u0430\u0439\u0493\u0430\u0441\u044b\u043c\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.", - "OptionRecordAnytime": "\u04d8\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0436\u0430\u0437\u044b\u043f \u0430\u043b\u0443", - "HeaderAddTitles": "\u0422\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440\u0434\u044b \u04af\u0441\u0442\u0435\u0443", - "OptionAllowBrowsingLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", "LabelMetadataPath": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u049b\u0430\u0440\u0430\u0439 \u0436\u043e\u043b:", - "OptionRecordOnlyNewEpisodes": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u0430\u04a3\u0430 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u0436\u0430\u0437\u044b\u043f \u0430\u043b\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", - "OptionAllowDeleteLibraryContent": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u043e\u044e\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", "LabelMetadataPathHelp": "\u0415\u0433\u0435\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0456\u0448\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u043b\u043c\u0430\u0441\u0430, \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0431\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u0430\u0439\u0493\u0430\u0441\u044b\u043c\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.", + "LabelTranscodingTempPath": "Transcoding temporary \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0436\u043e\u043b\u044b:", + "LabelTranscodingTempPathHelp": "\u0411\u04b1\u043b \u049b\u0430\u043b\u0442\u0430 \u049b\u04b1\u0440\u0430\u043c\u044b\u043d\u0434\u0430 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u04b1\u0440\u0430\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0442\u044b\u043d \u0436\u04b1\u043c\u044b\u0441 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0431\u0430\u0440. \u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u043e\u043b\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437, \u043d\u0435\u043c\u0435\u0441\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u043b\u0442\u0430\u0441\u044b \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u04d9\u0434\u0435\u043f\u043a\u0456\u0441\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", + "TabBasics": "\u041d\u0435\u0433\u0456\u0437\u0433\u0456\u043b\u0435\u0440", + "TabTV": "\u0422\u0414", + "TabGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "TabMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "TabOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", + "HeaderExtractChapterImagesFor": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043c\u0430\u043a\u0441\u0430\u0442\u044b:", + "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "OptionEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "OptionOtherVideos": "\u0411\u0430\u0441\u049b\u0430 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "TitleMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "LabelAutomaticUpdates": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b \u049b\u043e\u0441\u0443", + "LabelAutomaticUpdatesTmdb": "TheMovieDB.org \u043a\u04e9\u0437\u0456\u043d\u0435\u043d \u0430\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "LabelAutomaticUpdatesTvdb": "TheTVDB.com \u043a\u04e9\u0437\u0456\u043d\u0435\u043d \u0430\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443", + "LabelAutomaticUpdatesFanartHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 fanart.tv \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LabelAutomaticUpdatesTmdbHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 TheMovieDB.org \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LabelAutomaticUpdatesTvdbHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 TheTVDB.com \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LabelFanartApiKey": "\u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442:", + "LabelFanartApiKeyHelp": "\u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442\u0456\u0441\u0456\u0437 Fanart \u04af\u0448\u0456\u043d \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u0440\u0493\u0430 7 \u043a\u04af\u043d\u0456\u043d\u0435\u043d \u0431\u04b1\u0440\u044b\u043d \u0440\u0430\u0441\u0442\u0430\u043b\u0493\u0430\u043d \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u049b\u0430\u0439\u0442\u0430\u0440\u044b\u043b\u0430\u0434\u044b. \u04e8\u0437\u0456\u043d\u0434\u0456\u043a API-\u043a\u0456\u043b\u0442\u0456\u043c\u0435\u043d \u0431\u04b1\u043b 48 \u0441\u0430\u0493\u0430\u0442\u049b\u0430 \u0434\u0435\u0439\u0456\u043d \u049b\u044b\u0441\u049b\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b, \u0430\u043b,\u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b, Fanart VIP-\u043c\u04af\u0448\u0435\u0441\u0456 \u0431\u043e\u043b\u0441\u0430\u04a3\u044b\u0437, \u0431\u04b1\u043b \u0448\u0430\u043c\u0430\u043c\u0435\u043d 10 \u043c\u0438\u043d\u04e9\u0442\u043a\u0435 \u0434\u0435\u0439\u0456\u043d \u0442\u0430\u0493\u044b \u0434\u0430 \u049b\u044b\u0441\u049b\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b.", + "ExtractChapterImagesHelp": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0441\u0430\u0445\u043d\u0430 \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u0443\u0433\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043f\u0440\u043e\u0446\u0435\u0441 \u0431\u0430\u044f\u0443, \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0442\u043e\u0437\u0434\u044b\u0440\u0430\u0442\u044b\u043d \u0436\u04d9\u043d\u0435 \u0431\u0456\u0440\u0430\u0437 \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0442\u0456\u043d \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d. \u041e\u043b \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0442\u0430\u0431\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u04d9\u043d\u0435 \u0442\u04af\u043d\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041e\u0440\u044b\u043d\u0434\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456 \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0434\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0434\u0456. \u0411\u04b1\u043b \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u0430\u0440\u0431\u0430\u043b\u0430\u0441 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0442\u043a\u0456\u0437\u0443 \u04b1\u0441\u044b\u043d\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LabelMetadataDownloadLanguage": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", + "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u0430\u0439\u043d\u0430\u043b\u0434\u044b\u0440\u0443", + "LabelImageSavingConvention": "\u0421\u0443\u0440\u0435\u0442 \u0441\u0430\u049b\u0442\u0430\u0443 \u043a\u0435\u043b\u0456\u0441\u0456\u043c\u0456:", + "LabelImageSavingConventionHelp": "Emby \u0435\u04a3 \u04d9\u0439\u0433\u0456\u043b\u0456 \u043c\u0443\u043b\u044c\u0442\u0438\u043c\u0435\u0434\u0438\u0430 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u043d\u0438\u0434\u044b. \u0415\u0433\u0435\u0440 \u0431\u0430\u0441\u049b\u0430 \u0434\u0430 \u04e9\u043d\u0456\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b, \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0493\u0430\u043d\u0434\u0430, \u0436\u04af\u043a\u0442\u0435\u0443 \u0448\u0430\u0440\u0442\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u043f \u0430\u043b\u0443 \u043f\u0430\u0439\u0434\u0430\u043b\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "OptionImageSavingCompatible": "\u0421\u044b\u0438\u0441\u044b\u043c\u0434\u044b - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u0442\u044b - MB2", + "ButtonSignIn": "\u041a\u0456\u0440\u0443", + "TitleSignIn": "\u041a\u0456\u0440\u0443", + "HeaderPleaseSignIn": "\u041a\u0456\u0440\u0456\u04a3\u0456\u0437", + "LabelUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b:", + "LabelPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437:", + "ButtonManualLogin": "\u049a\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443", + "PasswordLocalhostMessage": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 (localhost) \u043e\u0440\u044b\u043d\u0434\u0430\u043d \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440 \u049b\u0430\u0436\u0435\u0442 \u0435\u043c\u0435\u0441.", + "TabGuide": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448", + "TabChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", + "TabCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", + "HeaderChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", + "TabRecordings": "\u0416\u0430\u0437\u0431\u0430\u043b\u0430\u0440", + "TabScheduled": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d", + "TabSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "TabFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", + "TabMyLibrary": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043c", + "ButtonCancelRecording": "\u0416\u0430\u0437\u0443\u0434\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443", + "HeaderPrePostPadding": "\u0410\u043b\u0493\u0430\/\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441", + "LabelPrePaddingMinutes": "\u0410\u043b\u0493\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441, \u043c\u0438\u043d:", + "OptionPrePaddingRequired": "\u0410\u043b\u0493\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0440\u0435\u043a.", + "LabelPostPaddingMinutes": "\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441, \u043c\u0438\u043d:", + "OptionPostPaddingRequired": "\u0410\u0440\u0442\u049b\u0430 \u0448\u0435\u0433\u0456\u043d\u0456\u0441 \u0436\u0430\u0437\u0443 \u04af\u0448\u0456\u043d \u043a\u0435\u0440\u0435\u043a.", + "HeaderWhatsOnTV": "\u042d\u0444\u0438\u0440\u0434\u0435", + "HeaderUpcomingTV": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0422\u0414", + "TabStatus": "\u041a\u04af\u0439", + "TabSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440", + "ButtonRefreshGuideData": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", + "ButtonRefresh": "\u0416\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", + "ButtonAdvancedRefresh": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", + "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", + "OptionRecordOnAllChannels": "\u0411\u0430\u0440\u043b\u044b\u049b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u0430\u043d \u0436\u0430\u0437\u044b\u043f \u0430\u043b\u0443", + "OptionRecordAnytime": "\u04d8\u0440 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0436\u0430\u0437\u044b\u043f \u0430\u043b\u0443", + "OptionRecordOnlyNewEpisodes": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u0430\u04a3\u0430 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u0436\u0430\u0437\u044b\u043f \u0430\u043b\u0443", + "HeaderRepeatingOptions": "\u049a\u0430\u0439\u0442\u0430\u043b\u0430\u043c\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "HeaderDays": "\u041a\u04af\u043d\u0434\u0435\u0440", + "HeaderActiveRecordings": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u0437\u0443\u043b\u0430\u0440", + "HeaderLatestRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", + "HeaderAllRecordings": "\u0411\u0430\u0440\u043b\u044b\u049b \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", + "ButtonPlay": "\u041e\u0439\u043d\u0430\u0442\u0443", + "ButtonEdit": "\u04e8\u04a3\u0434\u0435\u0443", + "ButtonRecord": "\u0416\u0430\u0437\u0443", + "ButtonDelete": "\u0416\u043e\u044e", + "ButtonRemove": "\u0410\u043b\u0430\u0441\u0442\u0430\u0443", + "OptionRecordSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0436\u0430\u0437\u0443", + "HeaderDetails": "\u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440", + "TitleLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", + "LabelNumberOfGuideDays": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u043a\u04af\u043d \u0441\u0430\u043d\u044b:", + "LabelNumberOfGuideDaysHelp": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u043a\u04af\u043d\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u049b\u04b1\u043d\u0434\u044b\u043b\u044b\u0493\u044b\u043d \u043a\u04e9\u0442\u0435\u0440\u0435\u0434\u0456 \u0434\u0435 \u0430\u043b\u0434\u044b\u043d-\u0430\u043b\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043d \u0436\u04d9\u043d\u0435 \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u0442\u0456\u0437\u0431\u0435\u043b\u0435\u0440 \u043a\u04e9\u0440\u0443\u0434\u0456 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0435\u0434\u0456, \u0431\u0456\u0440\u0430\u049b \u0431\u04b1\u043b \u0436\u04af\u043a\u0442\u0435\u0443 \u0443\u0430\u049b\u044b\u0442\u044b\u043d \u0434\u0430 \u0441\u043e\u0437\u0434\u044b\u0440\u0430\u0434\u044b. \u0410\u0432\u0442\u043e\u0442\u0430\u04a3\u0434\u0430\u0443 \u0430\u0440\u043d\u0430 \u0441\u0430\u043d\u044b\u043d\u0430 \u043d\u0435\u0433\u0456\u0437\u0434\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", + "OptionAutomatic": "\u0410\u0432\u0442\u043e\u0442\u0430\u04a3\u0434\u0430\u0443", + "HeaderServices": "\u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440", + "LiveTvPluginRequired": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u044d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u049b\u044b\u0437\u043c\u0435\u0442\u0456\u043d \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456\u0441\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "LiveTvPluginRequiredHelp": "\u0411\u0456\u0437\u0434\u0456\u04a3 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 (Next Pvr \u043d\u0435 ServerWmc \u0441\u0438\u044f\u049b\u0442\u044b) \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456\u04a3 \u0431\u0456\u0440\u0435\u0443\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.", + "LabelCustomizeOptionsPerMediaType": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u04af\u0440\u0456 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443:", + "OptionDownloadThumbImage": "\u041d\u043e\u0431\u0430\u0439", + "OptionDownloadMenuImage": "\u041c\u04d9\u0437\u0456\u0440", + "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f", + "OptionDownloadBoxImage": "\u049a\u043e\u0440\u0430\u043f", + "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a\u0456", + "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", + "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": "\u0422\u0430\u0440\u043c\u0430\u049b \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": "\u0422\u0430\u0440\u043c\u0430\u049b \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\u0440\u0438\u0433\u0433\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", + "HeaderAddScheduledTaskTrigger": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440\u0434\u0456 \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\u044b\u0493\u044b\u0448\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\u044b\u0493\u044b\u0448\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\u044b\u0493\u044b\u0448 \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 \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\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\u0433\u0435", + "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\u0443 \u043c\u04af\u043c\u043a\u0456\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\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u049b\u0430\u0442\u044b\u043d\u0430\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\u044b\u0493\u044b\u0448\u0442\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\u0443 \u043c\u04af\u043c\u043a\u0456\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 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "OptionMissingEpisode": "\u0416\u043e\u049b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "OptionUnairedEpisode": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "OptionEpisodeSortName": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0456\u04a3 \u0441\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b", + "OptionSeriesSortName": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \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.", + "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, \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\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": "Emby \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.", - "OptionAllowManageLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414 \u0436\u0430\u0437\u0443\u044b\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelTranscodingTempPath": "Transcoding temporary \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0436\u043e\u043b\u044b:", - "HeaderActiveRecordings": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u0437\u0443\u043b\u0430\u0440", "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", - "OptionAllowRemoteControlOthers": "\u0411\u0430\u0441\u049b\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelTranscodingTempPathHelp": "\u0411\u04b1\u043b \u049b\u0430\u043b\u0442\u0430 \u049b\u04b1\u0440\u0430\u043c\u044b\u043d\u0434\u0430 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u04b1\u0440\u0430\u043b\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0442\u044b\u043d \u0436\u04b1\u043c\u044b\u0441 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0431\u0430\u0440. \u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u043e\u043b\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437, \u043d\u0435\u043c\u0435\u0441\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u043b\u0442\u0430\u0441\u044b \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u04d9\u0434\u0435\u043f\u043a\u0456\u0441\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", - "HeaderLatestRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", "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.", - "TabBasics": "\u041d\u0435\u0433\u0456\u0437\u0433\u0456\u043b\u0435\u0440", - "HeaderAllRecordings": "\u0411\u0430\u0440\u043b\u044b\u049b \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", "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:", - "LabelEnterConnectUserName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u042d-\u043f\u043e\u0448\u0442\u0430:", - "TabTV": "\u0422\u0414", - "LabelService": "\u049a\u044b\u0437\u043c\u0435\u0442:", - "ButtonPlay": "\u041e\u0439\u043d\u0430\u0442\u0443", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Emby \u043e\u0440\u044b\u043d\u0434\u0430\u0493\u0430\u043d SSDP \u0441\u0430\u0443\u0430\u043b \u0441\u0430\u043b\u0443 \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.", - "LabelEnterConnectUserNameHelp": "\u0411\u04b1\u043b \u0441\u0456\u0437\u0434\u0456\u04a3 Emby \u0436\u0435\u043b\u0456\u043b\u0456\u043a \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", - "TabGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", - "LabelStatus": "\u041a\u04af\u0439:", - "ButtonEdit": "\u04e8\u04a3\u0434\u0435\u0443", "HeaderCustomDlnaProfiles": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440", - "TabMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "LabelVersion": "\u041d\u04b1\u0441\u049b\u0430:", - "ButtonRecord": "\u0416\u0430\u0437\u0443", "HeaderSystemDlnaProfiles": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440", - "TabOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", - "LabelLastResult": "\u0421\u043e\u04a3\u0493\u044b \u043d\u04d9\u0442\u0438\u0436\u0435:", - "ButtonDelete": "\u0416\u043e\u044e", "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\u0430\u0439\u043b\u0434\u044b \u0436\u0430\u0441\u0430\u0443 \u043d\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0430\u043d\u044b\u049b\u0442\u0430\u0443.", - "HeaderExtractChapterImagesFor": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043c\u0430\u043a\u0441\u0430\u0442\u044b:", - "OptionRecordSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043d\u044b \u0436\u0430\u0437\u0443", "SystemDlnaProfilesHelp": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0442\u0435\u043a \u043e\u049b\u0443 \u04af\u0448\u0456\u043d. \u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u044b\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\u0430\u0439\u043b\u0493\u0430 \u0436\u0430\u0437\u044b\u043b\u0430\u0434\u044b.", - "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "HeaderDetails": "\u0422\u043e\u043b\u044b\u049b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440", "TitleDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b", - "OptionEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", "TabHome": "\u0411\u0430\u0441\u0442\u044b", - "OptionOtherVideos": "\u0411\u0430\u0441\u049b\u0430 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", "TabInfo": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0442\u0443\u0440\u0430\u043b\u044b", - "TitleMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", "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", - "LabelAutomaticUpdatesTmdb": "TheMovieDB.org \u043a\u04e9\u0437\u0456\u043d\u0435\u043d \u0430\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443", "LinkCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b", - "LabelAutomaticUpdatesTvdb": "TheTVDB.com \u043a\u04e9\u0437\u0456\u043d\u0435\u043d \u0430\u0432\u0442\u043e\u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443", "LinkGithub": "GitHub", - "LabelAutomaticUpdatesFanartHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 fanart.tv \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", + "LinkApi": "API", "LinkApiDocumentation": "API \u049b\u04b1\u0436\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b", - "LabelAutomaticUpdatesTmdbHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 TheMovieDB.org \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", "LabelFriendlyServerName": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043e\u04a3\u0430\u0439 \u0430\u0442\u044b:", - "LabelAutomaticUpdatesTvdbHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u0430\u04a3\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 TheTVDB.com \u0434\u0435\u0440\u0435\u049b\u043e\u0440\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u0431\u043e\u0439\u0434\u0430 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", - "OptionFolderSort": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440", "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.", - "LabelConfigureServer": "Emby \u0442\u0435\u04a3\u0448\u0435\u0443", - "ExtractChapterImagesHelp": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0441\u0430\u0445\u043d\u0430 \u0431\u04e9\u043b\u0435\u043a\u0442\u0435\u0443\u0433\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0411\u04b1\u043b \u043f\u0440\u043e\u0446\u0435\u0441 \u0431\u0430\u044f\u0443, \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0442\u043e\u0437\u0434\u044b\u0440\u0430\u0442\u044b\u043d \u0436\u04d9\u043d\u0435 \u0431\u0456\u0440\u0430\u0437 \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0442\u0456\u043d \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d. \u041e\u043b \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0442\u0430\u0431\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0436\u04d9\u043d\u0435 \u0442\u04af\u043d\u0433\u0456 \u0443\u0430\u049b\u044b\u0442\u044b\u043d\u0430 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041e\u0440\u044b\u043d\u0434\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456 \u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0434\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0434\u0456. \u0411\u04b1\u043b \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u0430\u0440\u0431\u0430\u043b\u0430\u0441 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0442\u043a\u0456\u0437\u0443 \u04b1\u0441\u044b\u043d\u044b\u043b\u043c\u0430\u0439\u0434\u044b.", - "OptionBackdrop": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442", "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:", - "LabelMetadataDownloadLanguage": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:", - "TitleLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", "LabelPreferredDisplayLanguageHelp": "Emby \u0442\u04d9\u0440\u0436\u0456\u043c\u0435\u043b\u0435\u0443\u0456 \u0434\u0430\u043c\u0443\u0434\u0430\u0493\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.", - "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u0430\u0439\u043d\u0430\u043b\u0434\u044b\u0440\u0443", - "LabelNumberOfGuideDays": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u043a\u04af\u043d \u0441\u0430\u043d\u044b:", "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", + "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443", + "ButtonCreate": "\u0416\u0430\u0441\u0430\u0443", + "LabelCustomCss": "\u0422\u0435\u04a3\u0448\u0435\u0443\u043b\u0456 CSS:", + "LabelCustomCssHelp": "\u04e8\u0437\u0456\u04a3\u0456\u0437\u0434\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u0443\u043b\u0456 CSS-\u043a\u043e\u0434\u044b\u043d \u0432\u0435\u0431-\u0442\u0456\u043b\u0434\u0435\u0441\u0443\u0434\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u04a3\u044b\u0437.", + "LabelLocalHttpServerPortNumber": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 http-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelLocalHttpServerPortNumberHelp": "Emby HTTP-\u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 TCP-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", + "LabelPublicHttpPort": "\u0416\u0430\u0440\u0438\u044f http-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelPublicHttpPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 http-\u043f\u043e\u0440\u0442\u044b\u043d\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", + "LabelPublicHttpsPort": "\u0416\u0430\u0440\u0438\u044f https-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelPublicHttpsPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 https-\u043f\u043e\u0440\u0442\u044b\u043d\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.", + "LabelEnableHttps": "HTTPS \u0445\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b \u0441\u044b\u0440\u0442\u049b\u044b \u043c\u0435\u043a\u0435\u043d\u0435\u0436\u0430\u0439 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0430\u044f\u043d\u0434\u0430\u0443", + "LabelEnableHttpsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0435\u0440\u0432\u0435\u0440 HTTPS URL \u0441\u044b\u0440\u0442\u049b\u044b \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0430\u044f\u043d\u0434\u0430\u0439\u0434\u044b.", + "LabelHttpsPort": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 https-\u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:", + "LabelHttpsPortHelp": "Emby HTTPS-\u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u0493\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 TCP-\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 WAN-\u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439:", + "LabelExternalDDNSHelp": "\u0415\u0433\u0435\u0440 \u0441\u0456\u0437\u0434\u0435 dynamic DNS \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u043e\u0441\u044b \u0436\u0435\u0440\u0434\u0435 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0441\u044b\u0440\u0442\u0442\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u043e\u0441\u044b\u043d\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0434\u044b. \u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u0430\u0431\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", + "TabResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", + "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": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0456 \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443", + "LabelSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f:", + "LabelEndingEpisodeNumber": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0456\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 \u0431\u04e9\u043b\u0456\u043c\u0456 \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u04af\u0448\u0456\u043d", + "HeaderSupportTheTeam": "Emby \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437", + "LabelSupportAmount": "\u0421\u043e\u043c\u0430\u0441\u044b (USD)", + "HeaderSupportTheTeamHelp": "\u04ae\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u043f \u0431\u04b1\u043b \u0436\u043e\u0431\u0430\u043d\u044b\u04a3 \u04d9\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \u04af\u0448\u0456\u043d \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 \u0431\u0456\u0437 \u0442\u04d9\u0443\u0435\u043b\u0434\u0456 \u0431\u043e\u043b\u0493\u0430\u043d \u0431\u0430\u0441\u049b\u0430 \u0442\u0435\u0433\u0456\u043d \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": "\u0416\u0430\u049b\u0442\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 \u0436\u0430\u049b\u0442\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\u044b\u0493\u044b\u0448 \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 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0430\u0440 \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.", + "OptionEnableEpisodeOrganization": "\u0416\u0430\u04a3\u0430 \u0431\u04e9\u043b\u0456\u043c \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\u044b\u0493\u044b\u0448 \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": "\u0411\u04e9\u043b\u0456\u043c \u0444\u0430\u0439\u043b\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456", + "LabelEpisodePattern": "\u0411\u04e9\u043b\u0456\u043c \u04af\u043b\u0433\u0456\u0441\u0456:", + "LabelMultiEpisodePattern": "\u0411\u0456\u0440\u043d\u0435\u0448\u0435 \u0431\u04e9\u043b\u0456\u043c \u04af\u043b\u0433\u0456\u0441\u0456:", + "HeaderSupportedPatterns": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\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 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0436\u0430\u0437\u0443", + "LabelTransferMethod": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\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", + "HeaderHelpImproveProject": "Emby \u0436\u0435\u0442\u0456\u043b\u0434\u0456\u0440\u0443\u0433\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0456\u04a3\u0456\u0437", + "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", + "HeaderServerInformation": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0442\u0443\u0440\u0430\u043b\u044b", "ButtonRestartNow": "\u049a\u0430\u0437\u0456\u0440 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \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.", - "ButtonOptions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0493\u0430", - "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", "ButtonRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443", - "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:", - "NotificationOptionPluginUpdateInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b", "ButtonShutdown": "\u0416\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443", - "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.", - "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b", "ButtonUpdateNow": "\u049a\u0430\u0437\u0456\u0440 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443", - "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:", - "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", + "TabHosting": "\u041e\u0440\u043d\u0430\u043b\u0430\u0441\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.", - "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.", - "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", "NewServerVersionAvailable": "\u0416\u0430\u04a3\u0430 Emby Server \u043d\u04b1\u0441\u049b\u0430\u0441\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456!", - "ChannelSettingsFormHelp": "\u041f\u043b\u0430\u0433\u0438\u043d \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\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.", - "NotificationOptionInstallationFailed": "\u041e\u0440\u043d\u0430\u0442\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456", "ServerUpToDate": "Emby Server \u04af\u0448\u0456\u043d \u0435\u04a3 \u043a\u0435\u0439\u043d\u0433\u0456 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d", + "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\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", + "LabelOldSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442\u0456", + "LabelNewSupporterKey": "\u0416\u0430\u049b\u0442\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 \u0436\u0430\u049b\u0442\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\u0442\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", + "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": "\u0416\u0430\u049b\u0442\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 Emby \u04af\u0448\u0456\u043d \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\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u0443\u044b\u043d \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.", + "MessageInvalidKey": "\u0416\u0430\u049b\u0442\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 \u0441\u044b\u0439\u0430\u049b\u044b\u043b\u044b\u049b \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 Emby \u0436\u0430\u049b\u0442\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 \u0436\u0430\u049b\u0442\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 Emby \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 \u0436\u0430\u0443\u0434\u044b\u0440\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\u044b\u0493\u044b\u0448\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\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \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 \u0442\u0435\u04a3\u0448\u0435\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)", + "NotificationOptionCameraImageUploaded": "\u041a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u044b\u043b\u0493\u0430\u043d", + "NotificationOptionUserLockedOut": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u044b", + "HeaderSendNotificationHelp": "\u04d8\u0434\u0435\u043f\u043a\u0456\u0434\u0435, \u0445\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\u04a3\u044b\u0437\u0434\u0430\u0493\u044b \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 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\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", - "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:", + "CategoryApplication": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430", + "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d", "LabelMessageTitle": "\u0425\u0430\u0431\u0430\u0440 \u0442\u0430\u049b\u044b\u0440\u044b\u0431\u044b:", - "ButtonNext": "\u041a\u0435\u043b\u0435\u0441\u0456\u0433\u0435", - "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", "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 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\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\u049b\u0430", + "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u0433\u0435", + "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\u0493\u0430", + "ButtonSearch": "\u0406\u0437\u0434\u0435\u0443", + "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0433\u0435", + "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\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\u0493\u0430", + "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0493\u0430", + "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0433\u0435", + "ButtonAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430", + "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", + "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", + "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443", + "ButtonPause": "\u04ae\u0437\u0443", + "ButtonNext": "\u041a\u0435\u043b\u0435\u0441\u0456\u0433\u0435", "ButtonPrevious": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b\u0493\u0430", - "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 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0441\u0430, \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u0442\u0438\u0456\u043c\u0434\u0456 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0431\u0435\u0439\u043d\u0435\u043d\u0456\u04a3 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u044b\u049b\u0442\u0438\u043c\u0430\u043b\u0434\u044b\u0493\u044b\u043d \u043a\u0435\u043c\u0456\u0442\u0435\u0434\u0456.", + "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 \u0442\u0430\u0440\u043c\u0430\u049b \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\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "OptionSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\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.", - "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", "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.", - "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\u0493\u0430\u043d\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u049b\u04b1\u0441\u0431\u0435\u043b\u0433\u0456\u043d\u0456 \u0430\u043b\u044b\u04a3\u044b\u0437.", "HeaderResponseProfile": "\u04ae\u043d \u049b\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", "LabelType": "\u0422\u04af\u0440\u0456:", - "HeaderHelpImproveProject": "Emby \u0436\u0435\u0442\u0456\u043b\u0434\u0456\u0440\u0443\u0433\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0456\u04a3\u0456\u0437", + "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:", - "PluginTabAppClassic": "Emby Classic", "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:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", - "ButtonClose": "\u0416\u0430\u0431\u0443", - "TabView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441", - "TabSort": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443", "HeaderTranscodingProfile": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", - "HeaderBecomeProjectSupporter": "Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u0441\u044b \u0431\u043e\u043b\u044b\u04a3\u044b\u0437", - "OptionNone": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439", - "TabFilter": "\u0421\u04af\u0437\u0443", - "HeaderLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", - "ButtonView": "\u049a\u0430\u0440\u0430\u0443", "HeaderCodecProfile": "\u041a\u043e\u0434\u0435\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", - "HeaderReports": "\u0411\u0430\u044f\u043d\u0430\u0442\u0442\u0430\u0440", - "LabelPageSize": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440 \u0448\u0435\u0433\u0456:", "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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\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\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.", - "HeaderMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456", - "LabelView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441:", - "ViewTypePlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456", - "HeaderPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440", "HeaderContainerProfile": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", - "MessageLoadingChannels": "\u0410\u0440\u043d\u0430\u043d\u044b\u04a3 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443\u0434\u0435...", - "ButtonMarkRead": "\u041e\u049b\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443", "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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\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\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.", - "LabelAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b:", - "OptionDefaultSort": "\u04d8\u0434\u0435\u043f\u043a\u0456", - "OptionCommunityMostWatchedSort": "\u0415\u04a3 \u043a\u04e9\u043f \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d\u0434\u0430\u0440", "OptionProfileVideo": "\u0411\u0435\u0439\u043d\u0435", - "NotificationOptionVideoPlaybackStopped": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b", "OptionProfileAudio": "\u0414\u044b\u0431\u044b\u0441", - "HeaderMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c", "OptionProfileVideoAudio": "\u0411\u0435\u0439\u043d\u0435 \u0414\u044b\u0431\u044b\u0441", - "NotificationOptionAudioPlaybackStopped": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b", - "ButtonVolumeUp": "\u04ae\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0442\u0443", - "OptionLatestTvRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440", - "NotificationOptionGamePlaybackStopped": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b", - "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", "OptionProfilePhoto": "\u0424\u043e\u0442\u043e", "LabelUserLibrary": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0441\u044b", "LabelUserLibraryHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u049b\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\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.", - "ButtonArrowUp": "\u0416\u043e\u0493\u0430\u0440\u044b\u0493\u0430", "OptionPlainStorageFolders": "\u0411\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u0441\u0430\u049b\u0442\u0430\u043c\u0430 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "LabelChapterName": "{0}-\u0441\u0430\u0445\u043d\u0430", - "NotificationOptionCameraImageUploaded": "\u041a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u044b\u043b\u0493\u0430\u043d", - "ButtonArrowDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0435", "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.", - "HeaderNewApiKey": "\u0416\u0430\u04a3\u0430 API-\u043a\u0456\u043b\u0442", - "ButtonArrowLeft": "\u0421\u043e\u043b \u0436\u0430\u049b\u049b\u0430", "OptionPlainVideoItems": "\u0411\u0430\u0440\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u0431\u0435\u0439\u043d\u0435 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "LabelAppName": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0430\u0442\u044b", - "ButtonArrowRight": "\u041e\u04a3 \u0436\u0430\u049b\u049b\u0430", - "LabelAppNameExample": "\u041c\u044b\u0441\u0430\u043b\u044b: Sickbeard, NzbDrone", - "TabNfo": "NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440", - "ButtonBack": "\u0410\u0440\u0442\u049b\u0430", "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.", - "HeaderNewApiKeyHelp": "Emby Server \u049b\u0430\u0440\u0430\u0439 \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.", - "ButtonInfo": "\u0410\u049b\u043f\u0430\u0440\u0430\u0442\u049b\u0430", "LabelSupportedMediaTypes": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u04af\u0440\u043b\u0435\u0440\u0456:", - "ButtonPageUp": "\u0416\u043e\u0493\u0430\u0440\u0493\u044b \u0431\u0435\u0442\u043a\u0435", "TabIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443", - "ButtonPageDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0431\u0435\u0442\u043a\u0435", + "HeaderIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443", "TabDirectPlay": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443", - "PageAbbreviation": "\u0411\u0415\u0422", "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043b\u0435\u0440", - "ButtonHome": "\u0411\u0430\u0441\u0442\u044b\u0493\u0430", "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0442\u0435\u0440", - "LabelChannelDownloadSizeLimitHelpText": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u043e\u0442\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u043b\u0442\u0430\u0441\u044b \u04e9\u043b\u0448\u0435\u043c\u0456\u043d \u0448\u0435\u043a\u0442\u0435\u0443.", - "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0433\u0435", "TabResponses": "\u04ae\u043d \u049b\u0430\u0442\u0443\u043b\u0430\u0440", - "ButtonTakeScreenshot": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b \u0442\u04af\u0441\u0456\u0440\u0443", "HeaderProfileInformation": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0456", - "ButtonLetterUp": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0442\u0443", - "ButtonLetterDown": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0442\u0443", "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", - "PageButtonAbbreviation": "\u0411\u0415\u0422", "LabelEmbedAlbumArtDidlHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\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.", - "LetterButtonAbbreviation": "\u04d8\u0420\u041f", - "PlaceholderUsername": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b", - "TabNowPlaying": "\u049a\u0430\u0437\u0456\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443\u0434\u0430", "LabelAlbumArtPN": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456 PN:", - "TabNavigation": "\u0428\u0430\u0440\u043b\u0430\u0443", "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:", - "ButtonFullscreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d\u0493\u0430", "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.", - "HeaderDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "ButtonAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430", "LabelIconMaxWidth": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0435\u043d\u0456:", - "TabPlayTo": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderFeatures": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440", "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.", - "LabelEnableDlnaServer": "DLNA \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443", - "HeaderAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", "LabelIconMaxHeight": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0431\u0438\u0456\u0433\u0456:", - "LabelEnableDlnaServerHelp": "\u0416\u0435\u043b\u0456\u0434\u0435\u0433\u0456 UPnP \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0493\u0430 Emby \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.", "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.", - "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 \u0436\u0430\u0443\u0434\u044b\u0440\u0443", "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.", - "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.", - "CategoryApplication": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430", "HeaderProfileServerSettingsHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d\u0434\u0435\u0440 Emby Server \u049b\u0430\u043b\u0430\u0439 \u04e9\u0437\u0456\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d\u0456\u04a3 \u0431\u0430\u0441\u049b\u0430\u0440\u0430\u0434\u044b.", - "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", - "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d", "LabelMaxBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d:", - "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.", - "NotificationOptionPluginError": "\u041f\u043b\u0430\u0433\u0438\u043d \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456", "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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\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.", - "LabelDefaultUser": "\u04d8\u0434\u0435\u043f\u043a\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b:", + "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.", + "LabelMaxChromecastBitrate": "Chromecast \u04af\u0448\u0456\u043d \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d:", + "LabelMaxStaticBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:", + "LabelMusicStaticBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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", - "HeaderServerInformation": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0442\u0443\u0440\u0430\u043b\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\u044b\u0493\u044b\u0448\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\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \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.", "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", - "ViewTypeMovies": "\u041a\u0438\u043d\u043e", "LabelManufacturerUrl": "\u04e8\u043d\u0434\u0456\u0440\u0443\u0448\u0456 url", - "TabNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0456", - "ViewTypeTvShows": "\u0422\u0414", "LabelModelName": "\u041c\u043e\u0434\u0435\u043b\u044c \u0430\u0442\u044b", - "ViewTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", "LabelModelNumber": "\u041c\u043e\u0434\u0435\u043b\u044c \u043d\u04e9\u043c\u0456\u0440\u0456", - "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", "LabelModelDescription": "\u041c\u043e\u0434\u0435\u043b\u044c \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b", - "LabelDisplayCollectionsViewHelp": "\u0411\u04b1\u043b \u0441\u0456\u0437 \u0436\u0430\u0441\u0430\u0493\u0430\u043d \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0431\u04e9\u043b\u0435\u043a \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0456 \u0436\u0430\u0441\u0430\u0439\u0434\u044b. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0436\u0430\u0441\u0430\u0443 \u04af\u0448\u0456\u043d, \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0444\u0438\u043b\u044c\u043c\u043d\u0456\u04a3 \u04af\u0441\u0442\u0456\u043d\u0434\u0435 \u0442\u0456\u043d\u0442\u0443\u0456\u0440\u0434\u0456\u04a3 \u043e\u04a3 \u0436\u0430\u049b \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u04af\u0440\u0442\u0456\u04a3\u0456\u0437 \u0434\u0435 \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \"\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443\" \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", - "ViewTypeBoxSets": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", "LabelModelUrl": "\u041c\u043e\u0434\u0435\u043b\u044c url", - "HeaderOtherDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "LabelSerialNumber": "\u0421\u0435\u0440\u0438\u044f\u043b\u044b\u049b \u043d\u04e9\u043c\u0456\u0440\u0456", "LabelDeviceDescription": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b", - "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:", "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.", - "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.", "HeaderDirectPlayProfileHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\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 \u04af\u0441\u0442\u0435\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 \u04af\u0441\u0442\u0435\u0443.", - "ViewTypeLiveTvNowPlaying": "\u042d\u0444\u0438\u0440\u0434\u0435", "HeaderResponseProfileHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\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.", - "ViewTypeMusicFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", - "ViewTypeLatestGames": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043e\u0439\u044b\u043d\u0434\u0430\u0440", - "ViewTypeMusicSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", "LabelXDlnaCap": "X-Dlna \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b:", - "ViewTypeMusicFavoriteAlbums": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", - "ViewTypeRecentlyPlayedGames": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430\u0440", "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.", - "ViewTypeMusicFavoriteArtists": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440", - "ViewTypeGameFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", - "HeaderViewOrder": "\u0410\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0456", "LabelXDlnaDoc": "X-Dlna \u0442\u04d9\u0441\u0456\u043c\u0456:", - "ViewTypeMusicFavoriteSongs": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440", - "HeaderHttpHeaders": "HTTP \u04af\u0441\u0442\u0456\u04a3\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u043b\u0435\u0440\u0456", - "ViewTypeGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456", - "LabelSelectUserViewOrder": "Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043d\u0434\u0430 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0442\u0456\u043d \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437", "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.", - "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", - "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "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.", "LabelSonyAggregationFlags": "Sony \u0431\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0443 \u0436\u0430\u043b\u0430\u0443\u0448\u0430\u043b\u0430\u0440\u044b:", - "LabelValue": "\u041c\u04d9\u043d\u0456:", - "ViewTypeTvResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", - "TabChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", "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.", - "ViewTypeMusicGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "LabelMatchType": "\u0421\u04d9\u0439\u043a\u0435\u0441 \u0442\u04af\u0440\u0456:", - "ViewTypeTvNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0456", + "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 \u0431\u0430\u044f\u043d\u0434\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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442.", + "HeaderSubtitleDownloadingHelp": "Emby \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", + "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 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0441\u0430, \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u0442\u0438\u0456\u043c\u0434\u0456 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0431\u0435\u0439\u043d\u0435\u043d\u0456\u04a3 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u044b\u049b\u0442\u0438\u043c\u0430\u043b\u0434\u044b\u0493\u044b\u043d \u043a\u0435\u043c\u0456\u0442\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": "Emby \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 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u04a3\u0430\u0439 \u0441\u0430\u0445\u043d\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\u0493\u0430\u043d\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby Theater", + "LabelEpisodeNamePlain": "\u0411\u04e9\u043b\u0456\u043c \u0430\u0442\u0430\u0443\u044b", + "LabelSeriesNamePlain": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0430\u0442\u0430\u0443\u044b", + "ValueSeriesNamePeriod": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f.\u0430\u0442\u0430\u0443\u044b", + "ValueSeriesNameUnderscore": "\u0422\u043e\u043f\u0442\u0430\u043c\u0430_\u0430\u0442\u0430\u0443\u044b", + "ValueEpisodeNamePeriod": "\u0411\u04e9\u043b\u0456\u043c.\u0430\u0442\u044b", + "ValueEpisodeNameUnderscore": "\u0411\u04e9\u043b\u0456\u043c_\u0430\u0442\u044b", + "LabelSeasonNumberPlain": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelEpisodeNumberPlain": "\u0411\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelEndingEpisodeNumberPlain": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0456\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", + "ButtonMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", + "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", + "TabAppSettings": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", + "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": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \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": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\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", + "HeaderOptions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440", + "HeaderIdentificationResult": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443 \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456", + "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:", + "OptionMyMediaButtons": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c (\u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440)", + "OptionMyMedia": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c", + "OptionMyMediaSmall": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c (\u044b\u049b\u0448\u0430\u043c)", + "OptionResumablemedia": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", + "OptionLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "OptionLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", + "HeaderLatestChannelItems": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", + "OptionNone": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439", + "HeaderLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", + "HeaderReports": "\u0411\u0430\u044f\u043d\u0430\u0442\u0442\u0430\u0440", + "HeaderMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0440\u0435\u0442\u0442\u0435\u0443\u0448\u0456", + "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\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\u0456", + "PlaceholderUsername": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b", + "HeaderBecomeProjectSupporter": "Emby \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u0441\u044b \u0431\u043e\u043b\u044b\u04a3\u044b\u0437", + "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": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0441\u0456\u0437\u0433\u0435 \u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456\u04a3, \u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440\u0434\u044b\u04a3, \u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b\u04a3, \u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b\u04a3, \u0436\u04d9\u043d\u0435 \u041e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b\u04a3 \u0434\u0435\u0440\u0431\u0435\u0441\u0442\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0442\u043e\u043f\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0436\u0430\u0441\u0430\u0443\u044b\u043d \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \"+\" \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 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b \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.", + "ButtonDismiss": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u043c\u0430\u0443", + "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, \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0436\u04d9\u043d\u0435 \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \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": "\u0421\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\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \u04af\u0448\u0456\u043d, \u04e9\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 \u043a\u04e9\u043c\u0435\u043a \u0431\u0435\u0440\u0443 \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 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\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.", + "ButtonOptions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0493\u0430", + "ViewTypePlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456", + "ViewTypeMovies": "\u041a\u0438\u043d\u043e", + "ViewTypeTvShows": "\u0422\u0414", + "ViewTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "ViewTypeMusicGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", "ViewTypeMusicArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440", - "OptionEquals": "\u0422\u0435\u04a3", + "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\u043c\u0430\u043b\u044b", + "ViewTypeTvNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0456", "ViewTypeTvLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456", - "HeaderChapterDownloadingHelp": "Emby \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 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u04a3\u0430\u0439 \u0441\u0430\u0445\u043d\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.", - "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:", - "OptionRegex": "\u04b0\u0434\u0430\u0439\u044b \u04e9\u0440\u043d\u0435\u043a", - "LabelTranscodingVideoCodec": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043a\u043e\u0434\u0435\u043a:", - "OptionSubstring": "\u0406\u0448\u043a\u0456 \u0436\u043e\u043b", + "ViewTypeTvShowSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "LabelTranscodingVideoProfile": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b:", + "ViewTypeTvFavoriteSeries": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "ViewTypeTvFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "ViewTypeMovieResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", + "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", + "ViewTypeMusicPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\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\u044b\u0493\u044b\u0448 \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 \u0442\u0443\u0440\u0430\u043b\u044b:", + "LabelProtocolInfoHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\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.", + "TabNfo": "NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440", + "HeaderKodiMetadataHelp": "NFO \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0444\u0430\u0439\u043b\u044b\u043d \u04af\u0448\u0456\u043d Emby \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. NFO \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, \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0441\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.", + "LabelKodiMetadataUser": "NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u043c\u044b\u043d\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u0430\u0440\u0430\u0443 \u043a\u04af\u0439\u0456\u043c\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443:", + "LabelKodiMetadataUserHelp": "Emby Server \u0436\u04d9\u043d\u0435 NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u0439 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u04af\u043d\u0434\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": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\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", + "LabelDisplayCollectionsViewHelp": "\u0411\u04b1\u043b \u0441\u0456\u0437 \u0436\u0430\u0441\u0430\u0493\u0430\u043d \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u04af\u0448\u0456\u043d \u0431\u04e9\u043b\u0435\u043a \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0456 \u0436\u0430\u0441\u0430\u0439\u0434\u044b. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0436\u0430\u0441\u0430\u0443 \u04af\u0448\u0456\u043d, \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0444\u0438\u043b\u044c\u043c\u043d\u0456\u04a3 \u04af\u0441\u0442\u0456\u043d\u0434\u0435 \u0442\u0456\u043d\u0442\u0443\u0456\u0440\u0434\u0456\u04a3 \u043e\u04a3 \u0436\u0430\u049b \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u04af\u0440\u0442\u0456\u04a3\u0456\u0437 \u0434\u0435 \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \"\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u04af\u0441\u0442\u0435\u0443\" \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.", + "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", - "LabelTranscodingAudioCodec": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u043a\u043e\u0434\u0435\u043a:", - "ViewTypeMovieResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", "TabLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440", - "OptionEnableM2tsMode": "M2ts \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443", - "ViewTypeMovieLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456", "HeaderServerLogFiles": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b:", - "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.", - "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", "TabBranding": "\u0411\u0435\u0437\u0435\u043d\u0434\u0456\u0440\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", - "HeaderPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", - "ViewTypeMovieCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", "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 Emby \u0431\u0435\u0437\u0435\u043d\u0434\u0456\u0440\u0443\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\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 \u0431\u0430\u044f\u043d\u0434\u0430\u0443", - "HeaderLocalAccess": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "ViewTypeMovieFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440", "LabelLoginDisclaimer": "\u041a\u0456\u0440\u0433\u0435\u043d\u0434\u0435\u0433\u0456 \u0435\u0441\u043a\u0435\u0440\u0442\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 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442.", - "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", "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.", - "ViewTypeMusicLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\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", - "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", "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.", - "TabHosting": "\u041e\u0440\u043d\u0430\u043b\u0430\u0441\u0443", - "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b", - "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:", - "ButtonSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "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", - "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..", - "LabelHomePageSection4": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 4-\u0431\u04e9\u043b\u0456\u043c:", - "HeaderChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440", - "LabelSubtitlePlaybackMode": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456:", - "HeaderDownloadPeopleMetadataForHelp": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u049b\u0430\u043d\u0434\u0430 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0493\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u04b1\u0441\u044b\u043d\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b\u04a3 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u043b\u0435\u0440\u0456 \u0431\u0430\u044f\u0443\u043b\u0430\u0439\u0434\u044b.", - "ButtonLinkKeys": "\u041a\u0456\u043b\u0442\u0442\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", - "OptionLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", - "HeaderResumeSettings": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "ViewTypeFolders": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440", - "LabelOldSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442\u0456", - "HeaderLatestChannelItems": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u044b", - "LabelDisplayFoldersView": "\u041a\u04d9\u0434\u0456\u043c\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "LabelNewSupporterKey": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0436\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u0456", - "TitleRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443", - "ViewTypeLiveTvRecordingGroups": "\u0416\u0430\u0437\u0431\u0430\u043b\u0430\u0440", - "HeaderMultipleKeyLinking": "\u0416\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u043a\u0435 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", - "ViewTypeLiveTvChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "MultipleKeyLinkingHelp": "\u0415\u0433\u0435\u0440 \u0436\u0430\u04a3\u0430 \u0436\u0430\u049b\u0442\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\u0442\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", - "TabControls": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456", - "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": "\u0416\u0430\u049b\u0442\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 Emby \u04af\u0448\u0456\u043d \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\u044b \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u0443\u044b\u043d \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.", - "MessageInvalidKey": "\u0416\u0430\u049b\u0442\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 \u0441\u044b\u0439\u0430\u049b\u044b\u043b\u044b\u049b \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 Emby \u0436\u0430\u049b\u0442\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 \u0436\u0430\u049b\u0442\u0430\u04a3\u044b\u0437.", - "HeaderEpisodes": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0435\u0440:", - "UserDownloadingItemWithValues": "{0} \u043c\u044b\u043d\u0430\u043d\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u0430: {1}", - "OptionMyMediaButtons": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c (\u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440)", - "HeaderHomePage": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442", - "HeaderSettingsForThisDevice": "\u041e\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440", - "OptionMyMedia": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c", - "OptionAllUsers": "\u0411\u0430\u0440\u043b\u044b\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "ButtonDismiss": "\u049a\u0430\u0431\u044b\u043b\u0434\u0430\u043c\u0430\u0443", - "OptionAdminUsers": "\u04d8\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440", - "OptionDisplayAdultContent": "\u0415\u0440\u0435\u0441\u0435\u043a \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443", - "HeaderSearchForSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0456\u0437\u0434\u0435\u0443", - "OptionCustomUsers": "\u0422\u0435\u04a3\u0448\u0435\u0443\u043b\u0456", - "ButtonMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", - "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.", + "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\u044d\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\u0430\u043b\u0493\u0430\u043d \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", - "OptionMyMediaSmall": "\u041c\u0435\u043d\u0456\u04a3 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043c (\u044b\u049b\u0448\u0430\u043c)", - "TabDisplay": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443", "HeaderBranding": "\u0411\u0435\u0437\u0435\u043d\u0434\u0456\u0440\u0443", - "TabLanguages": "\u0422\u0456\u043b\u0434\u0435\u0440", "HeaderApiKeys": "API-\u043a\u0456\u043b\u0442\u0442\u0435\u0440", - "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:", "HeaderApiKeysHelp": "\u0421\u044b\u0440\u0442\u049b\u044b \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440 Emby Server \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 Emby \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.", - "LabelGroupChannelsIntoViewsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\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.", - "LabelEnableThemeSongs": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443", "HeaderApiKey": "API-\u043a\u0456\u043b\u0442", - "HeaderSubtitleDownloadingHelp": "Emby \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", - "LabelEnableBackdrops": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443", "HeaderApp": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430", - "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:", - "LabelEnableThemeSongsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \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.", "HeaderDevice": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b", - "LabelEnableBackdropsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \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.", "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", - "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "LabelOpenSubtitlesUsername": "Open Subtitles \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b:", - "OptionAuto": "\u0410\u0432\u0442\u043e", - "LabelOpenSubtitlesPassword": "Open Subtitles \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456:", - "OptionYes": "\u0418\u04d9", - "OptionNo": "\u0416\u043e\u049b", - "LabelDownloadLanguages": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u0456\u043b\u0434\u0435\u0440:", - "LabelHomePageSection1": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 1-\u0431\u04e9\u043b\u0456\u043c:", - "ButtonRegister": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443", - "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:", - "OptionResumablemedia": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u043c\u0430\u043b\u044b", - "ViewTypeTvShowSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "OptionLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", - "ViewTypeTvFavoriteSeries": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0442\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", - "ViewTypeTvFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "LabelEpisodeNamePlain": "\u0411\u04e9\u043b\u0456\u043c \u0430\u0442\u0430\u0443\u044b", - "LabelSeriesNamePlain": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f \u0430\u0442\u0430\u0443\u044b", - "LabelSeasonNumberPlain": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", - "LabelEpisodeNumberPlain": "\u0411\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", - "OptionLibraryFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b", - "LabelEndingEpisodeNumberPlain": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0456\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelChapterName": "{0}-\u0441\u0430\u0445\u043d\u0430", + "HeaderNewApiKey": "\u0416\u0430\u04a3\u0430 API-\u043a\u0456\u043b\u0442", + "LabelAppName": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0430\u0442\u044b", + "LabelAppNameExample": "\u041c\u044b\u0441\u0430\u043b\u044b: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Emby Server \u049b\u0430\u0440\u0430\u0439 \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": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u0430\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": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440", + "HeaderAdvanced": "\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d", + "ButtonSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "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": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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", + "OptionContextStatic": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "ButtonAddToPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443", + "TabPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456", + "ButtonClose": "\u0416\u0430\u0431\u0443", "LabelAllLanguages": "\u0411\u0430\u0440\u043b\u044b\u049b \u0442\u0456\u043b\u0434\u0435\u0440", "HeaderBrowseOnlineImages": "\u0416\u0435\u043b\u0456\u043b\u0456\u043a \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0448\u043e\u043b\u0443", "LabelSource": "\u049a\u0430\u0439\u043d\u0430\u0440 \u043a\u04e9\u0437\u0456:", @@ -939,509 +1067,388 @@ "LabelImage": "\u0421\u0443\u0440\u0435\u0442:", "ButtonBrowseImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0448\u043e\u043b\u0443", "HeaderImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "LabelReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456:", "HeaderBackdrops": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "HeaderOptions": "\u041d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440", - "LabelWeatherDisplayLocation": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b \u0435\u043b\u0434\u0456\u043c\u0435\u043a\u0435\u043d\u0456:", - "TabUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "LabelMaxChromecastBitrate": "Chromecast \u04af\u0448\u0456\u043d \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d:", - "LabelEndDate": "\u0410\u044f\u049b\u0442\u0430\u043b\u0443 \u043a\u04af\u043d\u0456:", "HeaderScreenshots": "\u042d\u043a\u0440\u0430\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456", - "HeaderIdentificationResult": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443 \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\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", - "LabelYear": "\u0416\u044b\u043b\u044b:", "HeaderAddUpdateImage": "\u0421\u0443\u0440\u0435\u0442\u0442\u0456 \u04af\u0441\u0442\u0435\u0443\/\u0436\u0430\u04a3\u0430\u0440\u0442\u0443", - "LabelWeatherDisplayUnit": "\u0422\u0435\u043c\u043f\u0435\u0440\u0430\u0442\u0443\u0440\u0430 \u04e9\u043b\u0448\u0435\u043c \u0431\u0456\u0440\u043b\u0456\u0433\u0456:", "LabelJpgPngOnly": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 JPG\/PNG", - "OptionCelsius": "\u0426\u0435\u043b\u044c\u0441\u0438\u0439 \u0431\u043e\u0439\u044b\u043d\u0448\u0430", - "TabAppSettings": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "LabelImageType": "\u0421\u0443\u0440\u0435\u0442 \u0442\u04af\u0440\u0456:", - "HeaderActivity": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", - "LabelChannelDownloadSizeLimit": "\u0416\u04af\u043a\u0442\u0435\u043c\u0435 \u04e9\u043b\u0448\u0435\u043c\u0456\u043d\u0456\u04a3 \u0448\u0435\u0433\u0456 (GB)", - "OptionFahrenheit": "\u0424\u0430\u0440\u0435\u043d\u0433\u0435\u0439\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430", "OptionPrimary": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b", - "ScheduledTaskStartedWithName": "{0} \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0434\u044b", - "MessageLoadingContent": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u04af\u043a\u0442\u0435\u043b\u0443\u0434\u0435...", - "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:", "OptionArt": "\u041e\u044e \u0441\u0443\u0440\u0435\u0442", - "ScheduledTaskCancelledWithName": "{0} \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b", - "NotificationOptionUserLockedOut": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u044b", - "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.", "OptionBox": "\u049a\u043e\u0440\u0430\u043f", - "ScheduledTaskCompletedWithName": "{0} \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", - "OptionOtherApps": "\u0411\u0430\u0441\u049b\u0430 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440", - "TabScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b", "OptionBoxRear": "\u049a\u043e\u0440\u0430\u043f \u0430\u0440\u0442\u044b", - "ScheduledTaskFailed": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", - "OptionMobileApps": "\u04b0\u0442\u049b\u044b\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440", "OptionDisc": "\u0414\u0438\u0441\u043a\u0456", - "PluginInstalledWithName": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b", "OptionIcon": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435", "OptionLogo": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f", - "PluginUpdatedWithName": "{0} \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b", "OptionMenu": "\u041c\u04d9\u0437\u0456\u0440", - "PluginUninstalledWithName": "{0} \u0436\u043e\u0439\u044b\u043b\u0434\u044b", "OptionScreenshot": "\u042d\u043a\u0440\u0430\u043d \u0441\u0443\u0440\u0435\u0442\u0456", - "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0493\u0430", - "ScheduledTaskFailedWithName": "{0} \u0441\u04d9\u0442\u0441\u0456\u0437", - "UserLockedOutWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u044b", "OptionLocked": "\u049a\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u043d\u0493\u0430\u043d\u0434\u0430\u0440", - "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0433\u0435", - "ItemAddedWithName": "{0} (\u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0434\u0456)", "OptionUnidentified": "\u0410\u043d\u044b\u049b\u0442\u0430\u043b\u043c\u0430\u0493\u0430\u043d\u0434\u0430\u0440", - "ItemRemovedWithName": "{0} (\u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b)", "OptionMissingParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442 \u0436\u043e\u049b", - "HeaderCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", - "DeviceOnlineWithName": "{0} \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d", "OptionStub": "\u0422\u044b\u0493\u044b\u043d", + "HeaderEpisodes": "\u0411\u04e9\u043b\u0456\u043c\u0434\u0435\u0440:", + "OptionSeason0": "0-\u043c\u0430\u0443\u0441\u044b\u043c", + "LabelReport": "\u0411\u0430\u044f\u043d\u0430\u0442:", + "OptionReportSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", + "OptionReportSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", + "OptionReportSeasons": "\u0422\u0414-\u043c\u0430\u0443\u0441\u044b\u043c\u0434\u0430\u0440", + "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", + "OptionReportMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "OptionReportMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "OptionReportHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", + "OptionReportGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", + "OptionReportEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", + "OptionReportCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", + "OptionReportBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", + "OptionReportArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440", + "OptionReportAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", + "OptionReportAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", + "HeaderActivity": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", + "ScheduledTaskStartedWithName": "{0} \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0434\u044b", + "ScheduledTaskCancelledWithName": "{0} \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b", + "ScheduledTaskCompletedWithName": "{0} \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", + "ScheduledTaskFailed": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0430\u044f\u049b\u0442\u0430\u043b\u0434\u044b", + "PluginInstalledWithName": "{0} \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b", + "PluginUpdatedWithName": "{0} \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b", + "PluginUninstalledWithName": "{0} \u0436\u043e\u0439\u044b\u043b\u0434\u044b", + "ScheduledTaskFailedWithName": "{0} \u0441\u04d9\u0442\u0441\u0456\u0437", + "ItemAddedWithName": "{0} (\u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0434\u0456)", + "ItemRemovedWithName": "{0} (\u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0434\u0430\u043d \u0430\u043b\u0430\u0441\u0442\u0430\u043b\u0434\u044b)", + "DeviceOnlineWithName": "{0} \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d", "UserOnlineFromDevice": "{0} - {1} \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d", - "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443", "DeviceOfflineWithName": "{0} \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "OptionList": "\u0422\u0456\u0437\u0456\u043c", - "OptionSeason0": "0-\u043c\u0430\u0443\u0441\u044b\u043c", - "ButtonPause": "\u04ae\u0437\u0443", "UserOfflineFromDevice": "{0} - {1} \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "TabDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b", - "LabelReport": "\u0411\u0430\u044f\u043d\u0430\u0442:", "SubtitlesDownloadedForItem": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 {0} \u04af\u0448\u0456\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0434\u044b", - "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "OptionReportSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440", "SubtitleDownloadFailureForItem": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 {0} \u04af\u0448\u0456\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0443\u044b \u0441\u04d9\u0442\u0441\u0456\u0437", - "LabelCache": "\u041a\u044d\u0448:", - "OptionReportSeries": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440", "LabelRunningTimeValue": "\u0406\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0443 \u0443\u0430\u049b\u044b\u0442\u044b: {0}", - "LabelLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440:", - "OptionReportSeasons": "\u0422\u0414-\u043c\u0430\u0443\u0441\u044b\u043c\u0434\u0430\u0440", "LabelIpAddressValue": "IP \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b: {0}", - "LabelMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440:", - "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440", - "ViewTypeMusicPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456", + "UserLockedOutWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u044b", "UserConfigurationUpdatedWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b", - "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)", - "LabelImagesByName": "\u0410\u0442\u0430\u043b\u0493\u0430\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440:", - "OptionReportMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440", "UserCreatedWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u0436\u0430\u0441\u0430\u043b\u0493\u0430\u043d", - "HeaderSendMessage": "\u0425\u0430\u0431\u0430\u0440 \u0436\u0456\u0431\u0435\u0440\u0443", - "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:", - "OptionReportMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440", "UserPasswordChangedWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u04af\u0448\u0456\u043d \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 \u04e9\u0437\u0433\u0435\u0440\u0442\u0456\u043b\u0434\u0456", - "ButtonSend": "\u0416\u0456\u0431\u0435\u0440\u0443", - "OptionReportHomeVideos": "\u04ae\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", "UserDeletedWithName": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b {0} \u0436\u043e\u0439\u044b\u043b\u0493\u0430\u043d", - "LabelMessageText": "\u0425\u0430\u0431\u0430\u0440 \u043c\u04d9\u0442\u0456\u043d\u0456", - "OptionReportGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440", "MessageServerConfigurationUpdated": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b", - "HeaderKodiMetadataHelp": "NFO \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0444\u0430\u0439\u043b\u044b\u043d \u04af\u0448\u0456\u043d Emby \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. NFO \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, \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0441\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.", - "OptionReportEpisodes": "\u0422\u0414-\u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440", - "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", "MessageNamedServerConfigurationUpdatedWithValue": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456 ({0} \u0431\u04e9\u043b\u0456\u043c\u0456) \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b", - "LabelKodiMetadataUser": "NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u043c\u044b\u043d\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u0430\u0440\u0430\u0443 \u043a\u04af\u0439\u0456\u043c\u0435\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443:", - "OptionReportCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440", - "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b\u049b\u0430", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b.", - "LabelKodiMetadataUserHelp": "Emby Server \u0436\u04d9\u043d\u0435 NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u0439 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u04af\u043d\u0434\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.", - "OptionReportBooks": "\u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440", - "HeaderServerSettings": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "AuthenticationSucceededWithUserName": "{0} \u0442\u04af\u043f\u043d\u04b1\u0441\u049b\u0430\u043b\u044b\u0493\u044b\u043d \u0440\u0430\u0441\u0442\u0430\u043b\u0443\u044b \u0441\u04d9\u0442\u0442\u0456", - "LabelKodiMetadataDateFormat": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456\u043d\u0456\u04a3 \u043f\u0456\u0448\u0456\u043c\u0456:", - "OptionReportArtists": "\u041e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440", "FailedLoginAttemptWithUserName": "{0} \u043a\u0456\u0440\u0443 \u04d9\u0440\u0435\u043a\u0435\u0442\u0456 \u0441\u04d9\u0442\u0441\u0456\u0437", - "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.", - "ButtonAddToPlaylist": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443", - "OptionReportAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440", + "UserDownloadingItemWithValues": "{0} \u043c\u044b\u043d\u0430\u043d\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u0430: {1}", "UserStartedPlayingItemWithValues": "{0} - {1} \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\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", - "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", - "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 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.", - "OptionReportAdultVideos": "\u0415\u0440\u0435\u0441\u0435\u043a \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0456", "UserStoppedPlayingItemWithValues": "{0} - {1} \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u043b\u0434\u044b", - "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.", "AppDeviceValues": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430: {0}, \u049a\u04b1\u0440\u044b\u043b\u0493\u044b: {1}", - "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:", - "LabelKodiMetadataEnablePathSubstitution": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "LabelProtocolInfo": "\u041f\u0440\u043e\u0442\u043e\u049b\u043e\u043b \u0442\u0443\u0440\u0430\u043b\u044b:", "ProviderValue": "\u0416\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456: {0}", + "LabelChannelDownloadSizeLimit": "\u0416\u04af\u043a\u0442\u0435\u043c\u0435 \u04e9\u043b\u0448\u0435\u043c\u0456\u043d\u0456\u04a3 \u0448\u0435\u0433\u0456 (GB)", + "LabelChannelDownloadSizeLimitHelpText": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u043e\u0442\u0430\u0440\u044b\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u043b\u0442\u0430\u0441\u044b \u04e9\u043b\u0448\u0435\u043c\u0456\u043d \u0448\u0435\u043a\u0442\u0435\u0443.", + "HeaderRecentActivity": "\u041a\u0435\u0438\u0456\u043d\u0433\u0456 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", + "HeaderPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", + "HeaderDownloadPeopleMetadataFor": "\u04e8\u043c\u0456\u0440\u0431\u0430\u044f\u043d \u0431\u0435\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u043c\u0430\u049b\u0441\u0430\u0442\u044b;", + "OptionComposers": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u043b\u0430\u0440", + "OptionOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", + "HeaderDownloadPeopleMetadataForHelp": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u049b\u0430\u043d\u0434\u0430 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0493\u044b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u04b1\u0441\u044b\u043d\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b\u04a3 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u043b\u0435\u0440\u0456 \u0431\u0430\u044f\u0443\u043b\u0430\u0439\u0434\u044b.", + "ViewTypeFolders": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440", + "LabelDisplayFoldersView": "\u041a\u04d9\u0434\u0456\u043c\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "ViewTypeLiveTvRecordingGroups": "\u0416\u0430\u0437\u0431\u0430\u043b\u0430\u0440", + "ViewTypeLiveTvChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", "LabelEasyPinCode": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434:", - "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.", - "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.", - "LabelProtocolInfoHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043d\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.", - "LabelMaxStaticBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u0430\u0440\u0430\u0443.", - "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 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b \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.", "EasyPasswordHelp": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u044b\u04a3\u044b\u0437 \u049b\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043d\u0430\u043d \u0434\u0435\u0440\u0431\u0435\u0441 \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b, \u0436\u04d9\u043d\u0435 \u0436\u0435\u043b\u0456 \u0456\u0448\u0456\u043d\u0434\u0435 \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u043a\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", - "LabelMaxStaticBitrateHelp": "\u0416\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430\u043c\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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.", - "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", - "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.", - "TabSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "LabelProtocol": "\u041f\u0440\u043e\u0442\u043e\u043a\u043e\u043b:", - "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.", - "TabPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456", - "LabelPersonRole": "\u0420\u04e9\u043b\u0456:", "LabelInNetworkSignInWithEasyPassword": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u044b\u043c \u0430\u0440\u049b\u044b\u043b\u044b \u0436\u0435\u043b\u0456 \u0456\u0448\u0456\u043d\u0434\u0435 \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u044b\u043f \u043a\u0456\u0440\u0443\u0434\u0456 \u049b\u043e\u0441\u0443", - "TitleUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "OptionProtocolHttp": "HTTP", - "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.", - "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)", - "LabelPath": "\u0416\u043e\u043b\u044b:", - "HeaderIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443", "LabelInNetworkSignInWithEasyPasswordHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u04af\u0439 \u0436\u0435\u043b\u0456\u0441\u0456 \u0456\u0448\u0456\u043d\u0435\u043d Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043d\u0430 \u043a\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u044b\u04a3\u044b\u0437\u0434\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u044b\u04a3\u044b\u0437 \u043c\u04af\u043c\u043a\u0456\u043d. \u0421\u0456\u0437\u0434\u0456\u04a3 \u049b\u0430\u043b\u044b\u043f\u0442\u044b \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u04a3\u0456\u0437 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u04af\u0439 \u0441\u044b\u0440\u0442\u044b\u043d\u0434\u0430 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0430\u0434\u044b. \u0415\u0433\u0435\u0440 PIN-\u043a\u043e\u0434 \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0441\u0430, \u04af\u0439 \u0436\u0435\u043b\u0456\u0441\u0456\u043d\u0434\u0435 \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u04a3\u0456\u0437 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u043c\u0430\u0439\u0434\u044b.", - "LabelContext": "\u041c\u04d9\u0442\u0456\u043d\u043c\u04d9\u043d:", - "LabelSortName": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b:", - "OptionContextStreaming": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443", - "LabelDateAdded": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456", + "HeaderPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437", + "HeaderLocalAccess": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderViewOrder": "\u0410\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0456", "ButtonResetEasyPassword": "\u041e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d PIN-\u043a\u043e\u0434\u0442\u044b \u044b\u0441\u044b\u0440\u0443", - "OptionContextStatic": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "LabelSelectUserViewOrder": "Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b\u043d\u0434\u0430 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0442\u0456\u043d \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u0440\u0435\u0442\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437", "LabelMetadataRefreshMode": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443 \u0440\u0435\u0436\u0456\u043c\u0456:", - "ViewTypeChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", "LabelImageRefreshMode": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443 \u0440\u0435\u0436\u0456\u043c\u0456:", - "ViewTypeLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414", - "HeaderSendNotificationHelp": "\u04d8\u0434\u0435\u043f\u043a\u0456\u0434\u0435, \u0445\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\u04a3\u044b\u0437\u0434\u0430\u0493\u044b \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 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a\u0442\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u043c\u0435\u0441\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.", "OptionDownloadMissingImages": "\u0416\u043e\u049b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", "OptionReplaceExistingImages": "\u0411\u0430\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", "OptionRefreshAllData": "\u0411\u0430\u0440\u043b\u044b\u049b \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", "OptionAddMissingDataOnly": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u043e\u043a \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", "OptionLocalRefreshOnly": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u0436\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\u0443", - "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", "HeaderRefreshMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u0430\u04a3\u0493\u044b\u0440\u0442\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 \u0442\u0430\u0440\u043c\u0430\u049b \u0431\u043e\u043b\u044b\u043f \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0434\u0456.", "HeaderPersonInfo": "\u0422\u04b1\u043b\u0493\u0430 \u0442\u0443\u0440\u0430\u043b\u044b", "HeaderIdentifyItem": "\u0422\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0443", "HeaderIdentifyItemHelp": "\u0406\u0437\u0434\u0435\u0443\u0434\u0456\u04a3 \u0431\u0456\u0440 \u043d\u0435 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u0448\u0430\u0440\u0442\u044b\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. \u0406\u0437\u0434\u0435\u0443 \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440\u0456\u043d \u043a\u04e9\u0431\u0435\u0439\u0442\u0443 \u04af\u0448\u0456\u043d \u0448\u0430\u0440\u0442\u0442\u044b \u0430\u043b\u0430\u0441\u0442\u0430\u04a3\u044b\u0437.", - "HeaderLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440", + "HeaderConfirmDeletion": "\u0416\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", "LabelFollowingFileWillBeDeleted": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0444\u0430\u0439\u043b \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b:", "LabelIfYouWishToContinueWithDeletion": "\u0415\u0433\u0435\u0440 \u0436\u0430\u043b\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u0430\u043b\u0430\u0441\u0430\u04a3\u044b\u0437, \u043c\u044b\u043d\u0430\u043d\u044b\u04a3 \u043c\u04d9\u043d\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u043f \u0440\u0430\u0441\u0442\u0430\u04a3\u044b\u0437:", - "OptionSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440", "ButtonIdentify": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443", "LabelAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u0441\u044b:", + "LabelAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b:", "LabelAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c:", "LabelCommunityRating": "\u049a\u0430\u0443\u044b\u043c \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b:", "LabelVoteCount": "\u0414\u0430\u0443\u044b\u0441 \u0435\u0441\u0435\u0431\u0456:", - "ButtonSearch": "\u0406\u0437\u0434\u0435\u0443", "LabelMetascore": "Metascore \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b:", "LabelCriticRating": "\u0421\u044b\u043d\u0448\u044b\u043b\u0430\u0440 \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b:", "LabelCriticRatingSummary": "\u0421\u044b\u043d\u0448\u044b\u043b\u0430\u0440 \u0431\u0430\u0493\u0430\u043b\u0430\u0443 \u0430\u049b\u043f\u0430\u0440\u044b:", "LabelAwardSummary": "\u041c\u0430\u0440\u0430\u043f\u0430\u0442 \u0430\u049b\u043f\u0430\u0440\u044b:", - "LabelSeasonZeroFolderName": "\u041c\u0430\u0443\u0441\u044b\u043c 0 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0430\u0442\u044b:", "LabelWebsite": "\u0492\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b:", - "HeaderEpisodeFilePattern": "\u0411\u04e9\u043b\u0456\u043c \u0444\u0430\u0439\u043b\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456", "LabelTagline": "\u041d\u0435\u0433\u0456\u0437\u0433\u0456 \u0441\u04e9\u0439\u043b\u0435\u043c:", - "LabelEpisodePattern": "\u0411\u04e9\u043b\u0456\u043c \u04af\u043b\u0433\u0456\u0441\u0456:", "LabelOverview": "\u0416\u0430\u043b\u043f\u044b \u0448\u043e\u043b\u0443:", - "LabelMultiEpisodePattern": "\u0411\u0456\u0440\u043d\u0435\u0448\u0435 \u0431\u04e9\u043b\u0456\u043c \u04af\u043b\u0433\u0456\u0441\u0456:", "LabelShortOverview": "\u049a\u044b\u0441\u049b\u0430\u0448\u0430 \u0448\u043e\u043b\u0443:", - "HeaderSupportedPatterns": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u04af\u043b\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.", - "LabelMusicStaticBitrate": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:", + "LabelReleaseDate": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456:", + "LabelYear": "\u0416\u044b\u043b\u044b:", "LabelPlaceOfBirth": "\u0422\u0443\u0493\u0430\u043d \u0436\u0435\u0440\u0456:", - "HeaderTerm": "\u0421\u04e9\u0439\u043b\u0435\u043c\u0448\u0435", - "MessageNoCollectionsAvailable": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0441\u0456\u0437\u0433\u0435 \u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456\u04a3, \u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f\u043b\u0430\u0440\u0434\u044b\u04a3, \u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b\u04a3, \u041a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b\u04a3, \u0436\u04d9\u043d\u0435 \u041e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b\u04a3 \u0434\u0435\u0440\u0431\u0435\u0441\u0442\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0442\u043e\u043f\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u0442\u0430\u043c\u0430\u0448\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0436\u0430\u0441\u0430\u0443\u044b\u043d \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \"+\" \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.", - "LabelMusicStaticBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\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", + "LabelEndDate": "\u0410\u044f\u049b\u0442\u0430\u043b\u0443 \u043a\u04af\u043d\u0456:", "LabelAirDate": "\u042d\u0444\u0438\u0440 \u043a\u04af\u043d\u0434\u0435\u0440\u0456:", - "HeaderPattern": "\u04ae\u043b\u0433\u0456", - "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:", "LabelAirTime:": "\u042d\u0444\u0438\u0440 \u0443\u0430\u049b\u044b\u0442\u044b", - "HeaderNotificationList": "\u0416\u0456\u0431\u0435\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\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.", - "HeaderResult": "\u041d\u04d9\u0442\u0438\u0436\u0435", - "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", "LabelRuntimeMinutes": "\u04b0\u0437\u0430\u049b\u0442\u044b\u0493\u044b, \u043c\u0438\u043d:", - "LabelNotificationEnabled": "\u0411\u04b1\u043b \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u043e\u0441\u0443", - "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", - "HeaderRecentActivity": "\u041a\u0435\u0438\u0456\u043d\u0433\u0456 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", "LabelParentalRating": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b:", - "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.", - "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b\u049b \u043c\u04d9\u0437\u0456\u0440\u0433\u0435", - "HeaderPeople": "\u0410\u0434\u0430\u043c\u0434\u0430\u0440", "LabelCustomRating": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0441\u0430\u043d\u0430\u0442:", - "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:", - "MessageNoAvailablePlugins": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b", - "HeaderDownloadPeopleMetadataFor": "\u04e8\u043c\u0456\u0440\u0431\u0430\u044f\u043d \u0431\u0435\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u043c\u0430\u049b\u0441\u0430\u0442\u044b;", "LabelBudget": "\u0411\u044e\u0434\u0436\u0435\u0442\u0456", - "NotificationOptionVideoPlayback": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b", - "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", - "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:", - "OptionComposers": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u043b\u0430\u0440", "LabelRevenue": "\u0422\u04af\u0441\u0456\u043c\u0456, $:", - "NotificationOptionAudioPlayback": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b", - "OptionOverwriteExistingEpisodes": "\u0411\u0430\u0440 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0436\u0430\u0437\u0443", - "OptionOthers": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440", "LabelOriginalAspectRatio": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u043f\u0456\u0448\u0456\u043c\u0434\u0456\u043a \u0430\u0440\u0430\u049b\u0430\u0442\u044b\u043d\u0430\u0441\u044b:", - "NotificationOptionGamePlayback": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b", - "LabelTransferMethod": "\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u0443 \u04d9\u0434\u0456\u0441\u0456", "LabelPlayers": "\u041e\u0439\u044b\u043d\u0448\u044b\u043b\u0430\u0440:", - "OptionCopy": "\u041a\u04e9\u0448\u0456\u0440\u0443", "Label3DFormat": "3D \u043f\u0456\u0448\u0456\u043c\u0456:", - "NotificationOptionNewLibraryContent": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d", - "OptionMove": "\u0416\u044b\u043b\u0436\u044b\u0442\u0443", "HeaderAlternateEpisodeNumbers": "\u0411\u0430\u043b\u0430\u043c\u0430\u043b\u044b \u0431\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u043b\u0435\u0440\u0456", - "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", - "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", "HeaderSpecialEpisodeInfo": "\u0410\u0440\u043d\u0430\u0439\u044b \u0431\u04e9\u043b\u0456\u043c \u0442\u0443\u0440\u0430\u043b\u044b", - "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:", - "HeaderLatestNews": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440", - "ValueSeriesNamePeriod": "\u0422\u0435\u043b\u0435\u0445\u0438\u043a\u0430\u044f.\u0430\u0442\u0430\u0443\u044b", "HeaderExternalIds": "\u0421\u044b\u0440\u0442\u049b\u044b \u0441\u04d9\u0439\u043a\u0435\u0441\u0442\u0435\u043d\u0434\u0456\u0440\u0433\u0456\u0448\u0442\u0435\u0440:", - "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:", - "ValueSeriesNameUnderscore": "\u0422\u043e\u043f\u0442\u0430\u043c\u0430_\u0430\u0442\u0430\u0443\u044b", - "TitleChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440", - "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", - "HeaderConfirmDeletion": "\u0416\u043e\u044e\u0434\u044b \u0440\u0430\u0441\u0442\u0430\u0443", - "ValueEpisodeNamePeriod": "\u0411\u04e9\u043b\u0456\u043c.\u0430\u0442\u044b", - "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:", - "HeaderActiveDevices": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", - "ValueEpisodeNameUnderscore": "\u0411\u04e9\u043b\u0456\u043c_\u0430\u0442\u044b", - "LabelChannelStreamQualityHelp": "\u0421\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\u044b\u043d\u0430 \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443 \u04af\u0448\u0456\u043d, \u04e9\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 \u043a\u04e9\u043c\u0435\u043a \u0431\u0435\u0440\u0443 \u043c\u04af\u043c\u043a\u0456\u043d.", - "HeaderPendingInstallations": "\u0411\u04e9\u0433\u0435\u043b\u0456\u0441 \u043e\u0440\u043d\u0430\u0442\u044b\u043c\u0434\u0430\u0440", - "HeaderTypeText": "\u041c\u04d9\u0442\u0456\u043d\u0434\u0456 \u0435\u043d\u0433\u0456\u0437\u0443", - "OptionBestAvailableStreamQuality": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u04a3 \u0436\u0430\u049b\u0441\u044b", - "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:", - "LabelTypeText": "\u041c\u04d9\u0442\u0456\u043d", - "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, \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0436\u04d9\u043d\u0435 \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u04e9\u04a3\u0434\u0435\u0443.", - "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:", - "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", + "LabelDvdSeasonNumber": "DVD \u043c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelDvdEpisodeNumber": "DVD \u0431\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelAbsoluteEpisodeNumber": "\u041d\u0430\u049b\u043f\u0430-\u043d\u0430\u049b \u0431\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "LabelAirsBeforeSeason": "\"Airs before\" \u043c\u0430\u0443\u0441\u044b\u043c\u044b", + "LabelAirsAfterSeason": "\"Airs after\" \u043c\u0430\u0443\u0441\u044b\u043c\u044b", "LabelAirsBeforeEpisode": "\"Airs after\" \u0431\u04e9\u043b\u0456\u043c\u0456", "LabelTreatImageAs": "\u041a\u0435\u0441\u043a\u0456\u043d \u049b\u0430\u0440\u0430\u0441\u0442\u044b\u0440\u0443\u044b:", - "ButtonReset": "\u042b\u0441\u044b\u0440\u0443", "LabelDisplayOrder": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0440\u0435\u0442\u0456:", "LabelDisplaySpecialsWithinSeasons": "\u0410\u0440\u043d\u0430\u0439\u044b \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u044d\u0444\u0438\u0440\u0434\u0435 \u0431\u043e\u043b\u0493\u0430\u043d \u043c\u0430\u0443\u0441\u044b\u043c \u0456\u0448\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", - "HeaderAddTag": "\u0422\u0435\u0433\u0442\u0456 \u049b\u043e\u0441\u0443", - "LabelNativeExternalPlayersHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0441\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u043c\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443.", "HeaderCountries": "\u0415\u043b\u0434\u0435\u0440", "HeaderGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440", - "LabelTag": "\u0422\u0435\u0433:", "HeaderPlotKeywords": "\u0421\u044e\u0436\u0435\u0442\u0442\u0456\u043d \u043a\u0456\u043b\u0442 \u0441\u04e9\u0437\u0434\u0435\u0440\u0456", - "LabelEnableItemPreviews": "\u0422\u0430\u0440\u043c\u0430\u049b \u043d\u043e\u0431\u0430\u0439\u043b\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443", "HeaderStudios": "\u0421\u0442\u0443\u0434\u0438\u044f\u043b\u0430\u0440", "HeaderTags": "\u0422\u0435\u0433\u0442\u0435\u0440", "HeaderMetadataSettings": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", - "LabelEnableItemPreviewsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0440\u0434\u0430 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b \u043d\u04b1\u049b\u044b\u0493\u0430\u043d \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u044b\u0440\u0493\u044b\u043c\u0430\u043b\u044b \u043d\u043e\u0431\u0430\u0439\u043b\u0430\u0440 \u0448\u044b\u0493\u0430 \u043a\u0435\u043b\u0435\u0434\u0456.", "LabelLockItemToPreventChanges": "\u041e\u0441\u044b \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u044b \u043a\u0435\u043b\u0435\u0448\u0435\u043a \u04e9\u0437\u0433\u0435\u0440\u0442\u0443\u043b\u0435\u0440\u0434\u0435\u043d \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443", - "LabelExternalPlayers": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440:", "MessageLeaveEmptyToInherit": "\u0422\u0435\u043a\u0442\u0456\u043a \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u043d, \u043d\u0435\u043c\u0435\u0441\u0435 \u0493\u0430\u043b\u0430\u043c\u0434\u044b\u049b \u04d9\u0434\u0435\u043f\u043a\u0456 \u043c\u04d9\u043d\u0456\u043d\u0435\u043d\u0456. \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\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.", - "LabelExternalPlayersHelp": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443. \u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 URL \u0441\u0445\u0435\u043c\u0430\u043b\u0430\u0440\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u0439\u0442\u044b\u043d, \u04d9\u0434\u0435\u0442\u0442\u0435, Android \u0436\u04d9\u043d\u0435 iOS, \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456. \u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440, \u049b\u0430\u0493\u0438\u0434\u0430 \u0431\u043e\u0439\u044b\u043d\u0448\u0430, \u0430\u043b\u044b\u0441\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u043e\u043b\u0434\u0430\u043c\u0430\u0439\u0434\u044b.", - "ButtonUnlockGuide": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448\u0442\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u0434\u0430\u043d \u0431\u043e\u0441\u0430\u0442\u0443", + "TabDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b", "HeaderDonationType": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b \u0442\u04af\u0440\u0456:", "OptionMakeOneTimeDonation": "\u0411\u04e9\u043b\u0435\u043a \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b \u0436\u0430\u0441\u0430\u0443", + "OptionOneTimeDescription": "\u0411\u04b1\u043b \u049b\u043e\u043b\u0434\u0430\u0443\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u043e\u043f\u049b\u0430 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b. \u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u0440 \u0431\u043e\u043b\u043c\u0430\u0439\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u0436\u0430\u0441\u0430\u043b\u043c\u0430\u0439\u0434\u044b.", + "OptionLifeTimeSupporterMembership": "\u0492\u04b1\u043c\u044b\u0440\u043b\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", + "OptionYearlySupporterMembership": "\u0416\u044b\u043b\u0434\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", + "OptionMonthlySupporterMembership": "\u0410\u0439\u043b\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", "OptionNoTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0441\u0456\u0437", "OptionNoThemeSong": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0441\u0456\u0437", "OptionNoThemeVideo": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u0441\u0456\u0437", "LabelOneTimeDonationAmount": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b \u049b\u043e\u0440\u044b\u0442\u044b\u043d\u0434\u044b\u0441\u044b:", - "ButtonLearnMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", - "ButtonLearnMoreAboutEmbyConnect": "Emby Connect \u0442\u0443\u0440\u0430\u043b\u044b \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", - "LabelNewUserNameHelp": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u04d9\u0440\u0456\u043f\u0442\u0435\u0440 (a-z), \u0441\u0430\u043d\u0434\u0430\u0440 (0-9), \u0441\u044b\u0437\u044b\u049b\u0448\u0430\u043b\u0430\u0440 (-), \u0430\u0441\u0442\u044b\u04a3\u0493\u044b \u0441\u044b\u0437\u044b\u049b\u0442\u0430\u0440 (_), \u0434\u04d9\u0439\u0435\u043a\u0448\u0435\u043b\u0435\u0440 (') \u0436\u04d9\u043d\u0435 \u043d\u04af\u043a\u0442\u0435\u043b\u0435\u0440 (.) \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d", - "OptionEnableExternalVideoPlayers": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u044b \u049b\u043e\u0441\u0443", - "HeaderOptionalLinkEmbyAccount": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0431\u0435\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443", - "LabelEnableInternetMetadataForTvPrograms": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", - "LabelCustomDeviceDisplayName": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0443 \u0430\u0442\u044b:", - "OptionTVMovies": "\u0422\u0414-\u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "LabelCustomDeviceDisplayNameHelp": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0442\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0430\u0442\u044b\u043d \u04b1\u0441\u044b\u043d\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u0430\u044f\u043d\u0434\u0430\u043b\u0493\u0430\u043d \u0430\u0442\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", - "HeaderInviteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0448\u0430\u049b\u044b\u0440\u0443", - "HeaderUpcomingMovies": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", - "HeaderInviteUserHelp": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0434\u043e\u0441\u0442\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u0431\u04b1\u0440\u044b\u043d\u0493\u044b\u0434\u0430\u043d \u0434\u0430 \u0436\u0435\u04a3\u0456\u043b\u0434\u0435\u0443 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", - "ButtonSendInvitation": "\u0428\u0430\u049b\u044b\u0440\u044b\u043c\u0434\u044b \u0436\u0456\u0431\u0435\u0440\u0443", - "HeaderGuests": "\u049a\u043e\u043d\u0430\u049b\u0442\u0430\u0440", - "HeaderUpcomingPrograms": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0431\u0435\u0440\u043b\u0456\u043c\u0434\u0435\u0440", - "HeaderLocalUsers": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "HeaderPendingInvitations": "\u0411\u04e9\u0433\u0435\u043b\u0456\u0441 \u0448\u0430\u049b\u044b\u0440\u044b\u043c\u0434\u0430\u0440", - "LabelShowLibraryTileNames": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0430\u049b\u0442\u0430\u0439\u0448\u0430\u043b\u0430\u0440\u044b\u043d\u044b\u04a3 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443", - "LabelShowLibraryTileNamesHelp": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442\u0442\u0435 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0430\u049b\u0442\u0430\u0439\u0448\u0430\u043b\u0430\u0440\u044b \u0430\u0441\u0442\u044b\u043d\u0434\u0430 \u0436\u0430\u0437\u0443\u043b\u0430\u0440 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435 \u043c\u0435 \u0435\u043a\u0435\u043d\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u0430\u0434\u044b.", - "TitleDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", - "TabCameraUpload": "\u041a\u0430\u043c\u0435\u0440\u0430\u043b\u0430\u0440", - "HeaderCameraUploadHelp": "\u04b0\u0442\u049b\u044b\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u0442\u04af\u0441\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u043c\u0435\u043d \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b Emby \u0456\u0448\u0456\u043d\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443.", - "TabPhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", - "HeaderSchedule": "\u0406\u0441 \u043a\u0435\u0441\u0442\u0435\u0441\u0456", - "MessageNoDevicesSupportCameraUpload": "\u0410\u0493\u044b\u043c\u0434\u0430 \u043a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u044b\u043f \u0431\u0435\u0440\u0435\u0442\u0456\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437 \u0436\u043e\u049b.", - "OptionEveryday": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d", - "LabelCameraUploadPath": "\u041a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u044b:", - "OptionWeekdays": "\u0416\u04b1\u043c\u044b\u0441 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", - "LabelCameraUploadPathHelp": "\u049a\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437. \u0415\u0433\u0435\u0440 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u043c\u0430\u0441\u0430, \u04d9\u0434\u0435\u043f\u043a\u0456 \u049b\u0430\u043b\u0442\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0415\u0433\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0442\u0456\u043d \u0436\u043e\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443 \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u0443 \u049b\u0430\u0436\u0435\u0442.", - "OptionWeekends": "\u0414\u0435\u043c\u0430\u043b\u044b\u0441 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", - "LabelCreateCameraUploadSubfolder": "\u04d8\u0440\u049b\u0430\u0439\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u04af\u0448\u0456\u043d \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0441\u0430\u0443", - "MessageProfileInfoSynced": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456 Emby Connect \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0434\u0456.", - "LabelCreateCameraUploadSubfolderHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u0431\u0435\u0442\u0456\u043d\u0434\u0435 \u043d\u04b1\u049b\u044b\u0493\u0430\u043d\u0434\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u043d\u0430\u049b\u0442\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", - "TabVideos": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440", - "ButtonTrailerReel": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443", - "HeaderTrailerReel": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443", - "OptionPlayUnwatchedTrailersOnly": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderTrailerReelHelp": "\u04b0\u0437\u0430\u049b \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u043e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443\u0434\u044b \u0431\u0430\u0441\u0442\u0430\u04a3\u044b\u0437.", - "TabDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", - "MessageNoTrailersFound": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b. \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0445\u0430\u043d\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u043d \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u04d9\u0436\u0456\u0440\u0438\u0431\u0435\u04a3\u0456\u0437\u0434\u0456 \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u0443 \u04af\u0448\u0456\u043d Trailer \u0430\u0440\u043d\u0430\u0441\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437", - "HeaderWelcomeToEmby": "Emby \u0456\u0448\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", - "OptionAllowSyncContent": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelDateAddedBehavior": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456 \u0442\u04d9\u0440\u0442\u0456\u0431\u0456:", - "HeaderLibraryAccess": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "OptionDateAddedImportTime": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0456\u0448\u0456\u043d\u0435 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043a\u04af\u043d\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", - "EmbyIntroMessage": "Emby \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456, \u043c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0436\u04d9\u043d\u0435 \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 Emby Server \u0436\u0430\u0493\u044b\u043d\u0430\u043d \u049b\u0430\u043b\u0442\u0430\u0444\u043e\u043d\u0434\u0430\u0440\u0493\u0430, \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0433\u0435 \u0436\u04d9\u043d\u0435 \u0442\u0430\u0493\u044b \u0431\u0430\u0441\u049b\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0493\u0430 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0436\u0435\u04a3\u0456\u043b \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443\u044b\u04a3\u044b\u0437 \u043c\u04af\u043c\u043a\u0456\u043d", - "HeaderChannelAccess": "\u0410\u0440\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", - "LabelEnableSingleImageInDidlLimit": "\u0416\u0430\u043b\u0493\u044b\u0437 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442\u043a\u0435 \u0448\u0435\u043a\u0442\u0435\u0443", - "OptionDateAddedFileTime": "\u0424\u0430\u0439\u043b\u0434\u044b\u04a3 \u0436\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", - "HeaderLatestItems": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440", - "LabelEnableSingleImageInDidlLimitHelp": "\u0415\u0433\u0435\u0440 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u0441\u0443\u0440\u0435\u0442 DIDL \u0456\u0448\u0456\u043d\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0441\u0435, \u043a\u0435\u0439\u0431\u0456\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 \u0442\u04af\u0440\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0431\u0435\u0439\u0434\u0456.", - "LabelDateAddedBehaviorHelp": "\u0415\u0433\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0435 \u043c\u04d9\u043d\u0456 \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043b \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u043e\u0441\u044b \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u04d9\u0440\u049b\u0430\u0448\u0430\u043d\u0434\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.", - "LabelSelectLastestItemsFolders": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b\u04a3 \u043a\u0435\u043b\u0435\u0441\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u043c\u0435\u043d \u049b\u0430\u043c\u0442\u0443", - "LabelNumberTrailerToPlay": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0434\u0456\u04a3 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0441\u0430\u043d\u044b:", - "ButtonSkip": "\u04e8\u0442\u043a\u0456\u0437\u0443", - "OptionAllowAudioPlaybackTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u0434\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "OptionAllowVideoPlaybackTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u0431\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "NameSeasonUnknown": "\u0411\u0435\u043b\u0433\u0456\u0441\u0456\u0437 \u043c\u0430\u0443\u0441\u044b\u043c", - "NameSeasonNumber": "{0}-\u0441\u0435\u0437\u043e\u043d", - "TextConnectToServerManually": "\u0421\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u043c\u0435\u043d \u049b\u043e\u0441\u044b\u043b\u0443", - "TabStreaming": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443", - "HeaderSubtitleProfile": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", - "LabelRemoteClientBitrateLimit": "\u0410\u043b\u044b\u0441\u0442\u0430\u0493\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d\u044b\u04a3 \u0448\u0435\u0433\u0456, \u041c\u0431\u0438\u0442\/\u0441", - "HeaderSubtitleProfiles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b", - "OptionDisableUserPreferences": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u0443", - "HeaderSubtitleProfilesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b \u043e\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u049b\u043e\u043b\u0434\u0430\u0443\u044b \u0431\u0430\u0440 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0439\u0434\u044b.", - "OptionDisableUserPreferencesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b\u043d, \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d, \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440\u0456\u043d \u0436\u04d9\u043d\u0435 \u0442\u0456\u043b\u0434\u0456\u043a \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", - "LabelFormat": "\u041f\u0456\u0448\u0456\u043c:", - "HeaderSelectServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", - "ButtonConnect": "\u049a\u043e\u0441\u044b\u043b\u0443", - "LabelRemoteClientBitrateLimitHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441 \u0431\u0430\u0440\u043b\u044b\u049b \u0430\u043b\u044b\u0441\u0442\u0430\u0493\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0440\u049b\u044b\u043d \u0448\u0435\u0433\u0456. \u0411\u04b1\u043b \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u04e9\u04a3\u0434\u0435\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d\u0435 \u049b\u0430\u0440\u0430\u0493\u0430\u043d\u0434\u0430 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u0440\u044b\u043d\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", - "LabelMethod": "\u04d8\u0434\u0456\u0441:", - "MessageNoServersAvailableToConnect": "\u049a\u043e\u0441\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0441\u0435\u0440\u0432\u0435\u0440\u043b\u0435\u0440 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043c\u0435\u0441. \u0415\u0433\u0435\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443\u0493\u0430 \u0448\u0430\u049b\u044b\u0440\u044b\u043b\u0441\u0430\u04a3\u044b\u0437, \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0443\u044b\u043d \u0442\u04e9\u043c\u0435\u043d\u0434\u0435 \u043d\u0435\u043c\u0435\u0441\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430\u0434\u0430\u0493\u044b \u0441\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u043d\u04b1\u049b\u044b\u043f \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u04a3\u044b\u0437.", - "LabelDidlMode": "DIDL \u0440\u0435\u0436\u0456\u043c\u0456:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0456\u0440\u0443", - "OptionEmbedSubtitles": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043c\u0435\u043d \u0435\u043d\u0434\u0456\u0440\u0443\u043b\u0456", - "OptionExternallyDownloaded": "\u0421\u044b\u0440\u0442\u0442\u0430\u043d \u0436\u04af\u043a\u0442\u0435\u043b\u0433\u0435\u043d", - "LabelServerHost": "\u0425\u043e\u0441\u0442:", - "CinemaModeConfigurationHelp2": "\u0416\u0435\u043a\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u0430\u0436\u044b\u0440\u0430\u0442\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456 \u0431\u043e\u043b\u0430\u0434\u044b.", - "OptionOneTimeDescription": "\u0411\u04b1\u043b \u049b\u043e\u043b\u0434\u0430\u0443\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u043e\u043f\u049b\u0430 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b. \u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u0440 \u0431\u043e\u043b\u043c\u0430\u0439\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u0436\u0430\u0441\u0430\u043b\u043c\u0430\u0439\u0434\u044b.", - "OptionHlsSegmentedSubtitles": "HLS \u0431\u04e9\u043b\u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", - "LabelEnableCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443", + "ButtonDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0430\u0443", + "ButtonPurchase": "\u0421\u0430\u0442\u044b\u043f \u0430\u043b\u0443", + "OptionActor": "\u0410\u043a\u0442\u0435\u0440", + "OptionComposer": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440", + "OptionDirector": "\u0420\u0435\u0436\u0438\u0441\u0441\u0435\u0440", + "OptionGuestStar": "\u0428\u0430\u049b\u044b\u0440\u044b\u043b\u0493\u0430\u043d \u0430\u043a\u0442\u0435\u0440", + "OptionProducer": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440", + "OptionWriter": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0439\u0448\u0456", "LabelAirDays": "\u042d\u0444\u0438\u0440 \u043a\u04af\u043d\u0434\u0435\u0440\u0456:", - "HeaderCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456", "LabelAirTime": "\u042d\u0444\u0438\u0440 \u0443\u0430\u049b\u044b\u0442\u044b:", "HeaderMediaInfo": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u0443\u0440\u0430\u043b\u044b", "HeaderPhotoInfo": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442 \u0442\u0443\u0440\u0430\u043b\u044b", - "OptionAllowContentDownloading": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelServerHostHelp": "192.168.1.100 \u043d\u0435\u043c\u0435\u0441\u0435 https:\/\/myserver.com", - "TabDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b", - "OptionLifeTimeSupporterMembership": "\u0492\u04b1\u043c\u044b\u0440\u043b\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", - "LabelServerPort": "\u041f\u043e\u0440\u0442:", - "OptionYearlySupporterMembership": "\u0416\u044b\u043b\u0434\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", - "LabelConversionCpuCoreLimit": "\u041f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043b\u044b\u049b \u04e9\u0437\u0435\u043a\u0442\u0435\u0440 \u0448\u0435\u0433\u0456:", - "OptionMonthlySupporterMembership": "\u0410\u0439\u043b\u044b\u049b \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456", - "LabelConversionCpuCoreLimitHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u043b\u0456\u043a \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0430\u0442\u044b\u043d \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043b\u044b\u049b \u04e9\u0437\u0435\u043a\u0442\u0435\u0440\u0434\u0456\u04a3 \u0441\u0430\u043d\u044b\u043d \u0448\u0435\u043a\u0442\u0435\u0443.", - "ButtonChangeServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", - "OptionEnableFullSpeedConversion": "\u0422\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443\u0434\u0456\u04a3 \u0442\u043e\u043b\u044b\u049b \u0436\u044b\u043b\u0434\u0430\u043c\u043b\u044b\u0493\u044b\u043d \u049b\u043e\u0441\u0443", - "OptionEnableFullSpeedConversionHelp": "\u0420\u0435\u0441\u0443\u0440\u0441\u0442\u0430\u0440 \u0442\u04b1\u0442\u044b\u043d\u0443\u0434\u044b \u0431\u0430\u0440\u044b\u043d\u0448\u0430 \u0430\u0437\u0430\u0439\u0442\u0443 \u04af\u0448\u0456\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u043b\u0456\u043a \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443 \u04d9\u0434\u0435\u043f\u043a\u0456\u0434\u0435 \u0442\u04e9\u043c\u0435\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b\u043f\u0435\u043d \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0434\u044b.", - "HeaderConnectToServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0443", - "LabelBlockContentWithTags": "\u041c\u044b\u043d\u0430 \u0442\u0435\u0433\u0442\u0435\u0440\u0456 \u0431\u0430\u0440 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443:", "HeaderInstall": "\u041e\u0440\u043d\u0430\u0442\u0443", "LabelSelectVersionToInstall": "\u041e\u0440\u043d\u0430\u0442\u044b\u043c \u043d\u04b1\u0441\u049b\u0430\u0441\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443:", "LinkSupporterMembership": "\u0416\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456 \u0442\u0443\u0440\u0430\u043b\u044b \u0442\u0430\u043d\u044b\u0441\u044b\u04a3\u044b\u0437", "MessageSupporterPluginRequiresMembership": "\u0411\u04b1\u043b \u043f\u043b\u0430\u0433\u0438\u043d 14 \u043a\u04af\u043d \u0442\u0435\u0433\u0456\u043d \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456\u043d\u0435\u043d \u043a\u0435\u0439\u0456\u043d \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "MessagePremiumPluginRequiresMembership": "\u0411\u04b1\u043b \u043f\u043b\u0430\u0433\u0438\u043d 14 \u043a\u04af\u043d \u0442\u0435\u0433\u0456\u043d \u0441\u044b\u043d\u0430\u043f \u043a\u04e9\u0440\u0443 \u043c\u0435\u0440\u0437\u0456\u043c\u0456\u043d\u0435\u043d \u043a\u0435\u0439\u0456\u043d \u0441\u0430\u0442\u044b\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "HeaderReviews": "\u041f\u0456\u043a\u0456\u0440\u043b\u0435\u0440", - "LabelTagFilterMode": "\u0420\u0435\u0436\u0456\u043c:", "HeaderDeveloperInfo": "\u0416\u0430\u0441\u0430\u049b\u0442\u0430\u0443\u0448\u044b\u043b\u0430\u0440 \u0442\u0443\u0440\u0430\u043b\u044b", "HeaderRevisionHistory": "\u04e8\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440 \u0442\u0430\u0440\u0438\u0445\u044b", "ButtonViewWebsite": "\u0421\u0430\u0439\u0442\u044b\u043d\u0430", - "LabelTagFilterAllowModeHelp": "\u0415\u0433\u0435\u0440 \u04b1\u0439\u0493\u0430\u0440\u044b\u043d\u0434\u044b \u0442\u0435\u0433\u0442\u0435\u0440 \u0442\u0435\u0440\u0435\u04a3 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u049b\u0430\u043b\u0442\u0430 \u049b\u04b1\u0440\u044b\u043b\u044b\u043c\u044b\u043d\u044b\u04a3 \u0431\u04e9\u043b\u0456\u0433\u0456 \u0431\u043e\u043b\u0441\u0430, \u043e\u043d\u0434\u0430 \u0442\u0435\u0433\u0442\u0435\u0440\u043c\u0435\u043d \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430, \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d \u0442\u0435\u043a\u0442\u0456\u043a \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0431\u043e\u043b\u0443\u044b \u0442\u0430\u043b\u0430\u043f \u0435\u0442\u0456\u043b\u0435\u0434\u0456.", - "HeaderPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440", - "LabelEnableFullScreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443", - "OptionEnableTranscodingThrottle": "\u0420\u0435\u0442\u0442\u0435\u0443\u0434\u0456 \u049b\u043e\u0441\u0443", - "LabelEnableChromecastAc3Passthrough": "Chromecast \u04e9\u0442\u043a\u0456\u043d\u0448\u0456 AC3 \u049b\u043e\u0441\u0443", - "OptionEnableTranscodingThrottleHelp": "\u041e\u0439\u043d\u0430\u0442\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043e\u0440\u0442\u0430\u043b\u044b\u049b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u044b\u043d \u0430\u0437\u0430\u0439\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u0435\u0442\u0442\u0435\u0443 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043b\u0430\u0439\u044b\u049b\u0442\u0430\u0439\u0434\u044b.", - "LabelSyncPath": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b\u04a3 \u0436\u043e\u043b\u044b:", - "OptionActor": "\u0410\u043a\u0442\u0435\u0440", - "ButtonDonate": "\u049a\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0430\u0443", - "TitleNewUser": "\u0416\u0430\u04a3\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b", - "OptionComposer": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440", - "ButtonConfigurePassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443", - "OptionDirector": "\u0420\u0435\u0436\u0438\u0441\u0441\u0435\u0440", - "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 \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \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.", - "OptionGuestStar": "\u0428\u0430\u049b\u044b\u0440\u044b\u043b\u0493\u0430\u043d \u0430\u043a\u0442\u0435\u0440", - "OptionProducer": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440", - "OptionWriter": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0439\u0448\u0456", "HeaderXmlSettings": "XML \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456", "HeaderXmlDocumentAttributes": "XML-\u049b\u04b1\u0436\u0430\u0442 \u0442\u04e9\u043b\u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b", - "ButtonSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u0441\u044b\u043b\u0443", "HeaderXmlDocumentAttribute": "XML-\u049b\u04b1\u0436\u0430\u0442 \u0442\u04e9\u043b\u0441\u0438\u043f\u0430\u0442\u044b", "XmlDocumentAttributeListHelp": "\u041e\u0441\u044b \u0442\u04e9\u043b\u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440 \u04d9\u0440\u0431\u0456\u0440 XML \u04af\u043d \u049b\u0430\u0442\u0443\u043b\u0430\u0440\u0434\u044b\u04a3 \u0442\u04af\u0431\u0456\u0440 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0430\u0434\u044b.", - "ValueSpecialEpisodeName": "\u0410\u0440\u043d\u0430\u0439\u044b - {0}", "OptionSaveMetadataAsHidden": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u043c\u0435\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u0430\u0441\u044b\u0440\u044b\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u0443", - "HeaderNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", - "TabActivity": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", - "TitleSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", - "HeaderShareMediaFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443", - "MessageGuestSharingPermissionsHelp": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\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.", - "HeaderInvitations": "\u0428\u0430\u049b\u044b\u0440\u0443\u043b\u0430\u0440", + "LabelExtractChaptersDuringLibraryScan": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435 \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443", + "LabelExtractChaptersDuringLibraryScanHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435, \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u0441\u044b\u0440\u0442\u0442\u0430\u043d \u0430\u043b\u044b\u043d\u0493\u0430\u043d\u0434\u0430, \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u04b1\u043b\u0430\u0440 \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d\u0435 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u0441\u044b \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435, \u0442\u04b1\u0440\u0430\u049b\u0442\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u0456\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u044b\u0440\u0430\u049b \u0430\u044f\u049b\u0442\u0430\u043b\u0443\u044b \u04b1\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043f, \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b.", + "LabelConnectGuestUserName": "\u041e\u043d\u044b\u04a3 Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b:", + "LabelConnectUserName": "Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \/ \u044d-\u043f\u043e\u0448\u0442\u0430\u0441\u044b:", + "LabelConnectUserNameHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 IP \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u043d \u0431\u0456\u043b\u043c\u0435\u0439 \u0442\u04b1\u0440\u044b\u043f \u04d9\u0440\u049b\u0430\u0439\u0441\u044b Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b\u043d\u0430\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d \u043a\u0456\u0440\u0443-\u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u04a3\u044b\u0437.", + "ButtonLearnMoreAboutEmbyConnect": "Emby Connect \u0442\u0443\u0440\u0430\u043b\u044b \u043a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", + "LabelExternalPlayers": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440:", + "LabelExternalPlayersHelp": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443. \u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 URL \u0441\u0445\u0435\u043c\u0430\u043b\u0430\u0440\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u0439\u0442\u044b\u043d, \u04d9\u0434\u0435\u0442\u0442\u0435, Android \u0436\u04d9\u043d\u0435 iOS, \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456. \u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440, \u049b\u0430\u0493\u0438\u0434\u0430 \u0431\u043e\u0439\u044b\u043d\u0448\u0430, \u0430\u043b\u044b\u0441\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u043e\u043b\u0434\u0430\u043c\u0430\u0439\u0434\u044b.", + "LabelNativeExternalPlayersHelp": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0441\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u043c\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u0493\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443.", + "LabelEnableItemPreviews": "\u0422\u0430\u0440\u043c\u0430\u049b \u043d\u043e\u0431\u0430\u0439\u043b\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443", + "LabelEnableItemPreviewsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u044d\u043a\u0440\u0430\u043d\u0434\u0430\u0440\u0434\u0430 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b \u043d\u04b1\u049b\u044b\u0493\u0430\u043d \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u044b\u0440\u0493\u044b\u043c\u0430\u043b\u044b \u043d\u043e\u0431\u0430\u0439\u043b\u0430\u0440 \u0448\u044b\u0493\u0430 \u043a\u0435\u043b\u0435\u0434\u0456.", + "HeaderSubtitleProfile": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b", + "HeaderSubtitleProfiles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b", + "HeaderSubtitleProfilesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b \u043e\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u049b\u043e\u043b\u0434\u0430\u0443\u044b \u0431\u0430\u0440 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0439\u0434\u044b.", + "LabelFormat": "\u041f\u0456\u0448\u0456\u043c:", + "LabelMethod": "\u04d8\u0434\u0456\u0441:", + "LabelDidlMode": "DIDL \u0440\u0435\u0436\u0456\u043c\u0456:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043c\u0435\u043d \u0435\u043d\u0434\u0456\u0440\u0443\u043b\u0456", + "OptionExternallyDownloaded": "\u0421\u044b\u0440\u0442\u0442\u0430\u043d \u0436\u04af\u043a\u0442\u0435\u043b\u0433\u0435\u043d", + "OptionHlsSegmentedSubtitles": "HLS \u0431\u04e9\u043b\u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440", "LabelSubtitleFormatHelp": "\u041c\u044b\u0441\u0430\u043b: srt", + "ButtonLearnMore": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a \u0431\u0456\u043b\u0443", + "TabPlayback": "\u041e\u0439\u043d\u0430\u0442\u0443", "HeaderLanguagePreferences": "\u0422\u0456\u043b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456", "TabCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456", "TitlePlayback": "\u041e\u0439\u043d\u0430\u0442\u0443", "LabelEnableCinemaModeFor": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443:", "CinemaModeConfigurationHelp": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u0434\u0456 \u0431\u0430\u0441\u0442\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0456\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043c\u0435\u043d \u043a\u0438\u043d\u043e \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0437\u0430\u043b \u04d9\u0441\u0435\u0440\u0456\u043d \u049b\u043e\u043d\u0430\u049b\u0436\u0430\u0439\u044b\u04a3\u044b\u0437\u0493\u0430 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0436\u0435\u0442\u043a\u0456\u0437\u0435\u0434\u0456.", - "LabelExtractChaptersDuringLibraryScan": "\u0421\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435 \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u0443", - "OptionReportList": "\u0422\u0456\u0437\u0456\u043c\u0434\u0435\u0440", "OptionTrailersFromMyMovies": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", "OptionUpcomingMoviesInTheaters": "\u0416\u0430\u04a3\u0430 \u0436\u04d9\u043d\u0435 \u043a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", - "LabelExtractChaptersDuringLibraryScanHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435, \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440 \u0441\u044b\u0440\u0442\u0442\u0430\u043d \u0430\u043b\u044b\u043d\u0493\u0430\u043d\u0434\u0430, \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b. \u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u04b1\u043b\u0430\u0440 \u0441\u0430\u0445\u043d\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d\u0435 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u0441\u044b \u043c\u0435\u0437\u0433\u0456\u043b\u0456\u043d\u0434\u0435, \u0442\u04b1\u0440\u0430\u049b\u0442\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443\u0456\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u044b\u0440\u0430\u049b \u0430\u044f\u049b\u0442\u0430\u043b\u0443\u044b \u04b1\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043f, \u0448\u044b\u0493\u0430\u0440\u044b\u043f \u0430\u043b\u044b\u043d\u0430\u0434\u044b.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0433\u0435 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d \u0436\u04d9\u043d\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0430\u0440\u043d\u0430\u0441\u044b \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "LabelLimitIntrosToUnwatchedContent": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", - "OptionReportStatistics": "\u0421\u0430\u043d\u0430\u049b\u0442\u0430\u0440", - "LabelSelectInternetTrailersForCinemaMode": "\u0418\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456:", "LabelEnableIntroParentalControl": "\u0417\u0438\u044f\u0442\u0442\u044b \u0430\u0442\u0430-\u0430\u043d\u0430\u043b\u044b\u049b \u0431\u0430\u049b\u044b\u043b\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443", - "OptionUpcomingDvdMovies": "\u0416\u04d9\u04a3\u0430 \u0436\u04d9\u043d\u0435 \u043a\u04af\u0442\u0456\u043b\u0433\u0435\u043d DVD \u0436\u04d9\u043d\u0435 BluRay \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", "LabelEnableIntroParentalControlHelp": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0436\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u044b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u0443\u0493\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430 \u0442\u0435\u04a3 \u043d\u0435\u043c\u0435\u0441\u0435 \u043a\u0435\u043c \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u04a3\u0434\u0430\u043b\u0430\u0434\u044b.", - "HeaderThisUserIsCurrentlyDisabled": "\u041e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u0430\u0437\u0456\u0440\u0433\u0456 \u043a\u0435\u0437\u0434\u0435 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d", - "OptionUpcomingStreamingMovies": "\u0416\u04d9\u04a3\u0430 \u0436\u04d9\u043d\u0435 \u043a\u04af\u0442\u0456\u043b\u0433\u0435\u043d Netflix \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", - "HeaderNewUsers": "\u0416\u0430\u04a3\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", - "HeaderUpcomingSports": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0441\u043f\u043e\u0440\u0442", - "OptionReportGrouping": "\u0422\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443", - "LabelDisplayTrailersWithinMovieSuggestions": "\u0424\u0438\u043b\u044c\u043c \u04b1\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440\u044b \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u0442\u0440\u0435\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u041e\u0441\u044b \u0435\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\u0442\u0435\u0440\u0433\u0435 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u0436\u0430\u049b\u0442\u0430\u0443\u0448\u044b \u043c\u04af\u0448\u0435\u043b\u0456\u0433\u0456\u043d \u0436\u04d9\u043d\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0430\u0440\u043d\u0430\u0441\u044b \u043f\u043b\u0430\u0433\u0438\u043d\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "OptionTrailersFromMyMoviesHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u043e\u0440\u043d\u0430\u0442\u0443\u044b\u043d \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", - "ButtonSignUp": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0430\u0440\u043d\u0430\u0441\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", "LabelCustomIntrosPath": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u04e9\u0440\u043d\u0435\u0443\u043b\u0435\u0440 \u0436\u043e\u043b\u044b:", - "MessageReenableUser": "\u049a\u0430\u0439\u0442\u0430 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u0442\u04e9\u043c\u0435\u043d\u0434\u0435 \u049b\u0430\u0440\u0430\u04a3\u044b\u0437", "LabelCustomIntrosPathHelp": "\u0411\u0435\u0439\u043d\u0435 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0431\u0430\u0440 \u049b\u0430\u043b\u0442\u0430. \u0411\u0435\u0439\u043d\u0435 \u043a\u0435\u0437\u0434\u0435\u0439\u0441\u043e\u049b \u0442\u0430\u04a3\u0434\u0430\u043b\u0430\u0434\u044b \u0434\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0435\u043d \u043a\u0435\u0439\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0430\u0434\u044b.", - "LabelUploadSpeedLimit": "\u0416\u04af\u043a\u0442\u0435\u043f \u0431\u0435\u0440\u0443 \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u0493\u044b\u043d\u044b\u04a3 \u0448\u0435\u0433\u0456, \u041c\u0431\u0438\u0442\/\u0441", - "TabPlayback": "\u041e\u0439\u043d\u0430\u0442\u0443", - "OptionAllowSyncTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", - "LabelConnectUserName": "Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \/ \u044d-\u043f\u043e\u0448\u0442\u0430\u0441\u044b:", - "LabelConnectUserNameHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 IP \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u043d \u0431\u0456\u043b\u043c\u0435\u0439 \u0442\u04b1\u0440\u044b\u043f \u04d9\u0440\u049b\u0430\u0439\u0441\u044b Emby \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0441\u044b\u043d\u0430\u043d \u043e\u04a3\u0430\u0439\u0442\u044b\u043b\u0493\u0430\u043d \u043a\u0456\u0440\u0443-\u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u043e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d\u0435 \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u044b\u04a3\u044b\u0437.", - "HeaderPlayback": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", - "HeaderViewStyles": "\u0410\u0441\u043f\u0435\u043a\u0442 \u043c\u04d9\u043d\u0435\u0440\u043b\u0435\u0440\u0456", - "TabJobs": "\u0416\u04b1\u043c\u044b\u0441\u0442\u0430\u0440", - "TabSyncJobs": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u0440\u044b", - "LabelSelectViewStyles": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443:", - "ButtonMoreItems": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", - "OptionAllowMediaPlaybackTranscodingHelp": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440 \u04e9\u0437\u0434\u0435\u0440\u0456\u043d\u0456\u04a3 \u0441\u0430\u044f\u0441\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0430 \u043d\u0435\u0433\u0456\u0437\u0434\u0435\u043b\u0433\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0439\u0442\u044b\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430\u0493\u044b \u049b\u0430\u0442\u0435 \u0442\u0443\u0440\u0430\u043b\u044b \u043e\u04a3\u0430\u0439 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b \u0430\u043b\u0430\u0434\u044b.", - "LabelSelectViewStylesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043c\u04b1\u043d\u0434\u0430\u0439 \u04b0\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440, \u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456, \u0416\u0430\u043d\u0440\u043b\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u0434\u0430 \u0441\u0430\u043d\u0430\u0442\u0442\u0430\u0440\u044b\u043d \u04b1\u0441\u044b\u043d\u0443 \u04af\u0448\u0456\u043d \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u04b1\u0440\u044b\u043b\u0430\u0434\u044b. \u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0441\u0430, \u043e\u043b\u0430\u0440 \u049b\u0430\u0440\u0430\u043f\u0430\u0439\u044b\u043c \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0434\u0456.", - "LabelEmail": "\u042d-\u043f\u043e\u0448\u0442\u0430:", - "LabelUsername": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b:", - "HeaderSignUp": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443", - "ButtonPurchase": "\u0421\u0430\u0442\u044b\u043f \u0430\u043b\u0443", - "LabelPasswordConfirm": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 (\u0440\u0430\u0441\u0442\u0430\u0443)", - "ButtonAddServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", - "HeaderForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", - "LabelConnectGuestUserName": "\u041e\u043d\u044b\u04a3 Emby \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b:", + "ValueSpecialEpisodeName": "\u0410\u0440\u043d\u0430\u0439\u044b - {0}", + "LabelSelectInternetTrailersForCinemaMode": "\u0418\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456:", + "OptionUpcomingDvdMovies": "\u0416\u04d9\u04a3\u0430 \u0436\u04d9\u043d\u0435 \u043a\u04af\u0442\u0456\u043b\u0433\u0435\u043d DVD \u0436\u04d9\u043d\u0435 BluRay \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", + "OptionUpcomingStreamingMovies": "\u0416\u04d9\u04a3\u0430 \u0436\u04d9\u043d\u0435 \u043a\u04af\u0442\u0456\u043b\u0433\u0435\u043d Netflix \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0443", + "LabelDisplayTrailersWithinMovieSuggestions": "\u0424\u0438\u043b\u044c\u043c \u04b1\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440\u044b \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u0442\u0440\u0435\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0430\u0440\u043d\u0430\u0441\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456.", + "CinemaModeConfigurationHelp2": "\u0416\u0435\u043a\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u0430 \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u0430\u0436\u044b\u0440\u0430\u0442\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456 \u0431\u043e\u043b\u0430\u0434\u044b.", + "LabelEnableCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443", + "HeaderCinemaMode": "\u041a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456", + "LabelDateAddedBehavior": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u04af\u0448\u0456\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456 \u0442\u04d9\u0440\u0442\u0456\u0431\u0456:", + "OptionDateAddedImportTime": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0456\u0448\u0456\u043d\u0435 \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443 \u043a\u04af\u043d\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", + "OptionDateAddedFileTime": "\u0424\u0430\u0439\u043b\u0434\u044b\u04a3 \u0436\u0430\u0441\u0430\u043b\u0493\u0430\u043d \u043a\u04af\u043d\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443", + "LabelDateAddedBehaviorHelp": "\u0415\u0433\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0435 \u043c\u04d9\u043d\u0456 \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043b \u049b\u0430\u0439\u0441\u044b\u0431\u0456\u0440 \u043e\u0441\u044b \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u04d9\u0440\u049b\u0430\u0448\u0430\u043d\u0434\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.", + "LabelNumberTrailerToPlay": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0434\u0456\u04a3 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0441\u0430\u043d\u044b:", + "TitleDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", + "TabCameraUpload": "\u041a\u0430\u043c\u0435\u0440\u0430\u043b\u0430\u0440", + "TabDevices": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440", + "HeaderCameraUploadHelp": "\u04b0\u0442\u049b\u044b\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u0442\u04af\u0441\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u043c\u0435\u043d \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b Emby \u0456\u0448\u0456\u043d\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443.", + "MessageNoDevicesSupportCameraUpload": "\u0410\u0493\u044b\u043c\u0434\u0430 \u043a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u044b\u043f \u0431\u0435\u0440\u0435\u0442\u0456\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u04a3\u044b\u0437 \u0436\u043e\u049b.", + "LabelCameraUploadPath": "\u041a\u0430\u043c\u0435\u0440\u0430\u0434\u0430\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u044b:", + "LabelCameraUploadPathHelp": "\u049a\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043a\u0435\u0440\u0456 \u049b\u043e\u0442\u0430\u0440\u0443 \u0436\u043e\u043b\u0434\u044b \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437. \u0415\u0433\u0435\u0440 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u043c\u0430\u0441\u0430, \u04d9\u0434\u0435\u043f\u043a\u0456 \u049b\u0430\u043b\u0442\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0415\u0433\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u043b\u0435\u0442\u0456\u043d \u0436\u043e\u043b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u043d\u044b \u043e\u0440\u043d\u0430\u0442\u0443 \u0436\u04d9\u043d\u0435 \u0442\u0435\u04a3\u0448\u0435\u0443 \u0430\u0439\u043c\u0430\u0493\u044b\u043d\u0430 \u04af\u0441\u0442\u0435\u0443 \u049b\u0430\u0436\u0435\u0442.", + "LabelCreateCameraUploadSubfolder": "\u04d8\u0440\u049b\u0430\u0439\u0441\u044b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u04af\u0448\u0456\u043d \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430 \u0436\u0430\u0441\u0430\u0443", + "LabelCreateCameraUploadSubfolderHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u0431\u0435\u0442\u0456\u043d\u0434\u0435 \u043d\u04b1\u049b\u044b\u0493\u0430\u043d\u0434\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0493\u0430 \u043d\u0430\u049b\u0442\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.", + "LabelCustomDeviceDisplayName": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0443 \u0430\u0442\u044b:", + "LabelCustomDeviceDisplayNameHelp": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0442\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0430\u0442\u044b\u043d \u04b1\u0441\u044b\u043d\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u0430\u044f\u043d\u0434\u0430\u043b\u0493\u0430\u043d \u0430\u0442\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.", + "HeaderInviteUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b \u0448\u0430\u049b\u044b\u0440\u0443", "LabelConnectGuestUserNameHelp": "\u0411\u04b1\u043b \u0434\u043e\u0441\u04a3\u044b\u0437\u0434\u044b\u04a3 Emby \u0493\u0430\u043b\u0430\u043c\u0442\u043e\u0440 \u0441\u0430\u0439\u0442\u044b\u043d\u0430 \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u0430\u0442\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b \u043d\u0435\u043c\u0435\u0441\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "HeaderInviteUserHelp": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0434\u043e\u0441\u0442\u0430\u0440\u044b\u04a3\u044b\u0437\u0431\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443 \u0431\u04b1\u0440\u044b\u043d\u0493\u044b\u0434\u0430\u043d \u0434\u0430 \u0436\u0435\u04a3\u0456\u043b\u0434\u0435\u0443 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "ButtonSendInvitation": "\u0428\u0430\u049b\u044b\u0440\u044b\u043c\u0434\u044b \u0436\u0456\u0431\u0435\u0440\u0443", + "HeaderSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0456\u0440\u0443", + "HeaderGuests": "\u049a\u043e\u043d\u0430\u049b\u0442\u0430\u0440", + "HeaderLocalUsers": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", + "HeaderPendingInvitations": "\u0411\u04e9\u0433\u0435\u043b\u0456\u0441 \u0448\u0430\u049b\u044b\u0440\u044b\u043c\u0434\u0430\u0440", + "TabParentalControl": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0443", + "HeaderAccessSchedule": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456", + "HeaderAccessScheduleHelp": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0431\u0435\u043b\u0433\u0456\u043b\u0456 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u0493\u0430 \u0448\u0435\u043a\u0442\u0435\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", + "ButtonAddSchedule": "\u041a\u0435\u0441\u0442\u0435 \u04af\u0441\u0442\u0435\u0443", + "LabelAccessDay": "\u0410\u043f\u0442\u0430 \u043a\u04af\u043d\u0456", + "LabelAccessStart": "\u0411\u0430\u0441\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b:", + "LabelAccessEnd": "\u0410\u044f\u049b\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b:", + "HeaderSchedule": "\u0406\u0441 \u043a\u0435\u0441\u0442\u0435\u0441\u0456", + "OptionEveryday": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d", + "OptionWeekdays": "\u0416\u04b1\u043c\u044b\u0441 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", + "OptionWeekends": "\u0414\u0435\u043c\u0430\u043b\u044b\u0441 \u043a\u04af\u043d\u0434\u0435\u0440\u0456", + "MessageProfileInfoSynced": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456 Emby Connect \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0434\u0456.", + "HeaderOptionalLinkEmbyAccount": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441: Emby \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u04a3\u0456\u0437\u0431\u0435\u043d \u0431\u0430\u0439\u043b\u0430\u043d\u044b\u0441\u0442\u044b\u0440\u0443", + "ButtonTrailerReel": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443", + "HeaderTrailerReel": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443", + "OptionPlayUnwatchedTrailersOnly": "\u0422\u0435\u043a \u049b\u0430\u043d\u0430 \u049b\u0430\u0440\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", + "HeaderTrailerReelHelp": "\u04b0\u0437\u0430\u049b \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0442\u044b\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u043e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u043f\u0441\u044b\u0440\u0443\u0434\u044b \u0431\u0430\u0441\u0442\u0430\u04a3\u044b\u0437.", + "MessageNoTrailersFound": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u043b\u0435\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b. \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0445\u0430\u043d\u0430\u0441\u044b\u043d \u04af\u0441\u0442\u0435\u0443 \u0430\u0440\u049b\u044b\u043b\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u043d \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u04d9\u0436\u0456\u0440\u0438\u0431\u0435\u04a3\u0456\u0437\u0434\u0456 \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u0443 \u04af\u0448\u0456\u043d Trailer \u0430\u0440\u043d\u0430\u0441\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437", + "HeaderNewUsers": "\u0416\u0430\u04a3\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440", + "ButtonSignUp": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443", "ButtonForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0435\u0441\u043a\u0435 \u0441\u0430\u043b\u0443", + "OptionDisableUserPreferences": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d\u0435 \u049b\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u0443", + "OptionDisableUserPreferencesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b\u043d, \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d, \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440\u0456\u043d \u0436\u04d9\u043d\u0435 \u0442\u0456\u043b\u0434\u0456\u043a \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u04d9\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.", + "HeaderSelectServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443", + "MessageNoServersAvailableToConnect": "\u049a\u043e\u0441\u044b\u043b\u0443 \u04af\u0448\u0456\u043d \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0441\u0435\u0440\u0432\u0435\u0440\u043b\u0435\u0440 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043c\u0435\u0441. \u0415\u0433\u0435\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443\u0493\u0430 \u0448\u0430\u049b\u044b\u0440\u044b\u043b\u0441\u0430\u04a3\u044b\u0437, \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u0443\u044b\u043d \u0442\u04e9\u043c\u0435\u043d\u0434\u0435 \u043d\u0435\u043c\u0435\u0441\u0435 \u044d-\u043f\u043e\u0448\u0442\u0430\u0434\u0430\u0493\u044b \u0441\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u043d\u04b1\u049b\u044b\u043f \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u04a3\u044b\u0437.", + "TitleNewUser": "\u0416\u0430\u04a3\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b", + "ButtonConfigurePassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443", + "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 \u04e9\u0437\u0456\u043d\u0434\u0456\u043a \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\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderChannelAccess": "\u0410\u0440\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0443", + "HeaderLatestItems": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440", + "LabelSelectLastestItemsFolders": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0440\u043c\u0430\u049b\u0442\u0430\u0440\u0434\u044b\u04a3 \u043a\u0435\u043b\u0435\u0441\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d\u0434\u0435\u0433\u0456 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u043c\u0435\u043d \u049b\u0430\u043c\u0442\u0443", + "HeaderShareMediaFolders": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443", + "MessageGuestSharingPermissionsHelp": "\u0415\u0440\u0435\u043a\u0448\u0435\u043b\u0456\u043a\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.", + "HeaderInvitations": "\u0428\u0430\u049b\u044b\u0440\u0443\u043b\u0430\u0440", "LabelForgotPasswordUsernameHelp": "\u0415\u0441\u043a\u0435 \u0441\u0430\u043b\u0441\u0430\u04a3\u044b\u0437, \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b\u04a3\u044b\u0437\u0434\u044b \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.", + "HeaderForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", "TitleForgotPassword": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u04b1\u043c\u044b\u0442\u044b\u04a3\u044b\u0437 \u0431\u0430?", "TitlePasswordReset": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "TabParentalControl": "\u041c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u0443", "LabelPasswordRecoveryPinCode": "PIN \u043a\u043e\u0434\u044b:", - "HeaderAccessSchedule": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456", "HeaderPasswordReset": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0456 \u044b\u0441\u044b\u0440\u0443", - "HeaderAccessScheduleHelp": "\u049a\u0430\u0442\u044b\u043d\u0430\u0443\u0434\u044b \u0431\u0435\u043b\u0433\u0456\u043b\u0456 \u0441\u0430\u0493\u0430\u0442\u0442\u0430\u0440\u0493\u0430 \u0448\u0435\u043a\u0442\u0435\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0443 \u043a\u0435\u0441\u0442\u0435\u0441\u0456\u043d \u0436\u0430\u0441\u0430\u04a3\u044b\u0437.", "HeaderParentalRatings": "\u0416\u0430\u0441\u0442\u0430\u0441 \u0441\u0430\u043d\u0430\u0442\u0442\u0430\u0440", - "ButtonAddSchedule": "\u041a\u0435\u0441\u0442\u0435 \u04af\u0441\u0442\u0435\u0443", "HeaderVideoTypes": "\u0411\u0435\u0439\u043d\u0435 \u0442\u04af\u0440\u043b\u0435\u0440\u0456", - "LabelAccessDay": "\u0410\u043f\u0442\u0430 \u043a\u04af\u043d\u0456", "HeaderYears": "\u0416\u044b\u043b\u0434\u0430\u0440", - "LabelAccessStart": "\u0411\u0430\u0441\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b:", - "LabelAccessEnd": "\u0410\u044f\u049b\u0442\u0430\u0443 \u0443\u0430\u049b\u044b\u0442\u044b:", - "LabelDvdSeasonNumber": "DVD \u043c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", + "HeaderAddTag": "\u0422\u0435\u0433\u0442\u0456 \u049b\u043e\u0441\u0443", + "LabelBlockContentWithTags": "\u041c\u044b\u043d\u0430 \u0442\u0435\u0433\u0442\u0435\u0440\u0456 \u0431\u0430\u0440 \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u043b\u0430\u0443:", + "LabelTag": "\u0422\u0435\u0433:", + "LabelEnableSingleImageInDidlLimit": "\u0416\u0430\u043b\u0493\u044b\u0437 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0441\u0443\u0440\u0435\u0442\u043a\u0435 \u0448\u0435\u043a\u0442\u0435\u0443", + "LabelEnableSingleImageInDidlLimitHelp": "\u0415\u0433\u0435\u0440 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u0441\u0443\u0440\u0435\u0442 DIDL \u0456\u0448\u0456\u043d\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0441\u0435, \u043a\u0435\u0439\u0431\u0456\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430 \u0442\u0438\u0456\u0441\u0442\u0456 \u0442\u04af\u0440\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0431\u0435\u0439\u0434\u0456.", + "TabActivity": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440", + "TitleSync": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443", + "OptionAllowSyncContent": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowContentDownloading": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "NameSeasonUnknown": "\u0411\u0435\u043b\u0433\u0456\u0441\u0456\u0437 \u043c\u0430\u0443\u0441\u044b\u043c", + "NameSeasonNumber": "{0}-\u0441\u0435\u0437\u043e\u043d", + "LabelNewUserNameHelp": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0434\u0430 \u04d9\u0440\u0456\u043f\u0442\u0435\u0440 (a-z), \u0441\u0430\u043d\u0434\u0430\u0440 (0-9), \u0441\u044b\u0437\u044b\u049b\u0448\u0430\u043b\u0430\u0440 (-), \u0430\u0441\u0442\u044b\u04a3\u0493\u044b \u0441\u044b\u0437\u044b\u049b\u0442\u0430\u0440 (_), \u0434\u04d9\u0439\u0435\u043a\u0448\u0435\u043b\u0435\u0440 (') \u0436\u04d9\u043d\u0435 \u043d\u04af\u043a\u0442\u0435\u043b\u0435\u0440 (.) \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d", + "TabJobs": "\u0416\u04b1\u043c\u044b\u0441\u0442\u0430\u0440", + "TabSyncJobs": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u0440\u044b", + "LabelTagFilterMode": "\u0420\u0435\u0436\u0456\u043c:", + "LabelTagFilterAllowModeHelp": "\u0415\u0433\u0435\u0440 \u04b1\u0439\u0493\u0430\u0440\u044b\u043d\u0434\u044b \u0442\u0435\u0433\u0442\u0435\u0440 \u0442\u0435\u0440\u0435\u04a3 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u049b\u0430\u043b\u0442\u0430 \u049b\u04b1\u0440\u044b\u043b\u044b\u043c\u044b\u043d\u044b\u04a3 \u0431\u04e9\u043b\u0456\u0433\u0456 \u0431\u043e\u043b\u0441\u0430, \u043e\u043d\u0434\u0430 \u0442\u0435\u0433\u0442\u0435\u0440\u043c\u0435\u043d \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0493\u0430, \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0433\u0435\u043d \u0442\u0435\u043a\u0442\u0456\u043a \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0431\u043e\u043b\u0443\u044b \u0442\u0430\u043b\u0430\u043f \u0435\u0442\u0456\u043b\u0435\u0434\u0456.", + "HeaderThisUserIsCurrentlyDisabled": "\u041e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u049b\u0430\u0437\u0456\u0440\u0433\u0456 \u043a\u0435\u0437\u0434\u0435 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d", + "MessageReenableUser": "\u049a\u0430\u0439\u0442\u0430 \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d \u0442\u04e9\u043c\u0435\u043d\u0434\u0435 \u049b\u0430\u0440\u0430\u04a3\u044b\u0437", + "LabelEnableInternetMetadataForTvPrograms": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443", + "OptionTVMovies": "\u0422\u0414-\u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "HeaderUpcomingMovies": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440", + "HeaderUpcomingSports": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0441\u043f\u043e\u0440\u0442", + "HeaderUpcomingPrograms": "\u041a\u04af\u0442\u0456\u043b\u0433\u0435\u043d \u0431\u0435\u0440\u043b\u0456\u043c\u0434\u0435\u0440", + "ButtonMoreItems": "\u041a\u04e9\u0431\u0456\u0440\u0435\u043a", + "LabelShowLibraryTileNames": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0430\u049b\u0442\u0430\u0439\u0448\u0430\u043b\u0430\u0440\u044b\u043d\u044b\u04a3 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443", + "LabelShowLibraryTileNamesHelp": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442\u0442\u0435 \u0442\u0430\u0441\u044b\u0493\u044b\u0448\u0445\u0430\u043d\u0430 \u0442\u0430\u049b\u0442\u0430\u0439\u0448\u0430\u043b\u0430\u0440\u044b \u0430\u0441\u0442\u044b\u043d\u0434\u0430 \u0436\u0430\u0437\u0443\u043b\u0430\u0440 \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435 \u043c\u0435 \u0435\u043a\u0435\u043d\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u043b\u0430\u0434\u044b.", + "OptionEnableTranscodingThrottle": "\u0420\u0435\u0442\u0442\u0435\u0443\u0434\u0456 \u049b\u043e\u0441\u0443", + "OptionEnableTranscodingThrottleHelp": "\u041e\u0439\u043d\u0430\u0442\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043e\u0440\u0442\u0430\u043b\u044b\u049b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u044b\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u044b\u043d \u0430\u0437\u0430\u0439\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u0435\u0442\u0442\u0435\u0443 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043b\u0430\u0439\u044b\u049b\u0442\u0430\u0439\u0434\u044b.", + "LabelUploadSpeedLimit": "\u0416\u04af\u043a\u0442\u0435\u043f \u0431\u0435\u0440\u0443 \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u0493\u044b\u043d\u044b\u04a3 \u0448\u0435\u0433\u0456, \u041c\u0431\u0438\u0442\/\u0441", + "OptionAllowSyncTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "HeaderPlayback": "\u0422\u0430\u0441\u044b\u0493\u044b\u0448\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0434\u0456 \u043e\u0439\u043d\u0430\u0442\u0443", + "OptionAllowAudioPlaybackTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u0434\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowVideoPlaybackTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0493\u0430 \u0442\u0430\u043b\u0430\u0431\u044b \u0431\u0430\u0440 \u0431\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443", + "OptionAllowMediaPlaybackTranscodingHelp": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440 \u04e9\u0437\u0434\u0435\u0440\u0456\u043d\u0456\u04a3 \u0441\u0430\u044f\u0441\u0430\u0442\u0442\u0430\u0440\u044b\u043d\u0430 \u043d\u0435\u0433\u0456\u0437\u0434\u0435\u043b\u0433\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0439\u0442\u044b\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430\u0493\u044b \u049b\u0430\u0442\u0435 \u0442\u0443\u0440\u0430\u043b\u044b \u043e\u04a3\u0430\u0439 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b \u0430\u043b\u0430\u0434\u044b.", + "TabStreaming": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443", + "LabelRemoteClientBitrateLimit": "\u0410\u043b\u044b\u0441\u0442\u0430\u0493\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d\u044b\u04a3 \u0448\u0435\u0433\u0456, \u041c\u0431\u0438\u0442\/\u0441", + "LabelRemoteClientBitrateLimitHelp": "\u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 \u0435\u043c\u0435\u0441 \u0431\u0430\u0440\u043b\u044b\u049b \u0430\u043b\u044b\u0441\u0442\u0430\u0493\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0440\u049b\u044b\u043d \u0448\u0435\u0433\u0456. \u0411\u04b1\u043b \u049b\u043e\u0441\u044b\u043b\u044b\u043c\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u04e9\u04a3\u0434\u0435\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d\u0435 \u049b\u0430\u0440\u0430\u0493\u0430\u043d\u0434\u0430 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u0440\u044b\u043d\u0430 \u0442\u044b\u0439\u044b\u043c \u0441\u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u044b \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b.", + "LabelConversionCpuCoreLimit": "\u041f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043b\u044b\u049b \u04e9\u0437\u0435\u043a\u0442\u0435\u0440 \u0448\u0435\u0433\u0456:", + "LabelConversionCpuCoreLimitHelp": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u043b\u0456\u043a \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0430\u0442\u044b\u043d \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043b\u044b\u049b \u04e9\u0437\u0435\u043a\u0442\u0435\u0440\u0434\u0456\u04a3 \u0441\u0430\u043d\u044b\u043d \u0448\u0435\u043a\u0442\u0435\u0443.", + "OptionEnableFullSpeedConversion": "\u0422\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443\u0434\u0456\u04a3 \u0442\u043e\u043b\u044b\u049b \u0436\u044b\u043b\u0434\u0430\u043c\u043b\u044b\u0493\u044b\u043d \u049b\u043e\u0441\u0443", + "OptionEnableFullSpeedConversionHelp": "\u0420\u0435\u0441\u0443\u0440\u0441\u0442\u0430\u0440 \u0442\u04b1\u0442\u044b\u043d\u0443\u0434\u044b \u0431\u0430\u0440\u044b\u043d\u0448\u0430 \u0430\u0437\u0430\u0439\u0442\u0443 \u04af\u0448\u0456\u043d \u04af\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0443\u043b\u0456\u043a \u0442\u04af\u0440\u043b\u0435\u043d\u0434\u0456\u0440\u0443 \u04d9\u0434\u0435\u043f\u043a\u0456\u0434\u0435 \u0442\u04e9\u043c\u0435\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b\u043f\u0435\u043d \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0430\u0434\u044b.", + "HeaderPlaylists": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440", + "HeaderViewStyles": "\u0410\u0441\u043f\u0435\u043a\u0442 \u043c\u04d9\u043d\u0435\u0440\u043b\u0435\u0440\u0456", + "LabelSelectViewStyles": "\u041c\u044b\u043d\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443:", + "LabelSelectViewStylesHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043c\u04b1\u043d\u0434\u0430\u0439 \u04b0\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440, \u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456, \u0416\u0430\u043d\u0440\u043b\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0441\u049b\u0430 \u0434\u0430 \u0441\u0430\u043d\u0430\u0442\u0442\u0430\u0440\u044b\u043d \u04b1\u0441\u044b\u043d\u0443 \u04af\u0448\u0456\u043d \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u04b1\u0440\u044b\u043b\u0430\u0434\u044b. \u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0441\u0430, \u043e\u043b\u0430\u0440 \u049b\u0430\u0440\u0430\u043f\u0430\u0439\u044b\u043c \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0434\u0456.", + "TabPhotos": "\u0424\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440", + "TabVideos": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0440", + "HeaderWelcomeToEmby": "Emby \u0456\u0448\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!", + "EmbyIntroMessage": "Emby \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456, \u043c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0436\u04d9\u043d\u0435 \u0444\u043e\u0442\u043e\u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 Emby Server \u0436\u0430\u0493\u044b\u043d\u0430\u043d \u049b\u0430\u043b\u0442\u0430\u0444\u043e\u043d\u0434\u0430\u0440\u0493\u0430, \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u0442\u0435\u0440\u0433\u0435 \u0436\u04d9\u043d\u0435 \u0442\u0430\u0493\u044b \u0431\u0430\u0441\u049b\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0493\u0430 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0436\u0435\u04a3\u0456\u043b \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443\u044b\u04a3\u044b\u0437 \u043c\u04af\u043c\u043a\u0456\u043d", + "ButtonSkip": "\u04e8\u0442\u043a\u0456\u0437\u0443", + "TextConnectToServerManually": "\u0421\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u043c\u0435\u043d \u049b\u043e\u0441\u044b\u043b\u0443", + "ButtonSignInWithConnect": "Emby Connect \u0430\u0440\u049b\u044b\u043b\u044b \u049b\u043e\u0441\u044b\u043b\u0443", + "ButtonConnect": "\u049a\u043e\u0441\u044b\u043b\u0443", + "LabelServerHost": "\u0425\u043e\u0441\u0442:", + "LabelServerHostHelp": "192.168.1.100 \u043d\u0435\u043c\u0435\u0441\u0435 https:\/\/myserver.com", + "LabelServerPort": "\u041f\u043e\u0440\u0442:", + "HeaderNewServer": "\u0416\u0430\u04a3\u0430 \u0441\u0435\u0440\u0432\u0435\u0440", + "ButtonChangeServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443", + "HeaderConnectToServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0433\u0435 \u049b\u043e\u0441\u044b\u043b\u0443", + "OptionReportList": "\u0422\u0456\u0437\u0456\u043c\u0434\u0435\u0440", + "OptionReportStatistics": "\u0421\u0430\u043d\u0430\u049b\u0442\u0430\u0440", + "OptionReportGrouping": "\u0422\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443", "HeaderExport": "\u042d\u043a\u0441\u043f\u043e\u0440\u0442\u0442\u0430\u0443", - "LabelDvdEpisodeNumber": "DVD \u0431\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", - "LabelAbsoluteEpisodeNumber": "\u041d\u0430\u049b\u043f\u0430-\u043d\u0430\u049b \u0431\u04e9\u043b\u0456\u043c \u043d\u04e9\u043c\u0456\u0440\u0456", - "LabelAirsBeforeSeason": "\"Airs before\" \u043c\u0430\u0443\u0441\u044b\u043c\u044b", "HeaderColumns": "\u0411\u0430\u0493\u0430\u043d\u0434\u0430\u0440", - "LabelAirsAfterSeason": "\"Airs after\" \u043c\u0430\u0443\u0441\u044b\u043c\u044b" + "ButtonReset": "\u042b\u0441\u044b\u0440\u0443", + "OptionEnableExternalVideoPlayers": "\u0421\u044b\u0440\u0442\u049b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440\u0434\u044b \u049b\u043e\u0441\u0443", + "ButtonUnlockGuide": "\u0410\u043d\u044b\u049b\u0442\u0430\u0493\u044b\u0448\u0442\u044b \u049b\u04b1\u0440\u0441\u0430\u0443\u0434\u0430\u043d \u0431\u043e\u0441\u0430\u0442\u0443", + "LabelEnableFullScreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443", + "LabelEnableChromecastAc3Passthrough": "Chromecast \u04e9\u0442\u043a\u0456\u043d\u0448\u0456 AC3 \u049b\u043e\u0441\u0443", + "LabelSyncPath": "\u04ae\u043d\u0434\u0435\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b\u04a3 \u0436\u043e\u043b\u044b:", + "LabelEmail": "\u042d-\u043f\u043e\u0448\u0442\u0430:", + "LabelUsername": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b:", + "HeaderSignUp": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443", + "LabelPasswordConfirm": "\u049a\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437 (\u0440\u0430\u0441\u0442\u0430\u0443)", + "ButtonAddServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443", + "TabHomeScreen": "\u0411\u0430\u0441\u0442\u044b \u044d\u043a\u0440\u0430\u043d", + "HeaderDisplay": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443", + "HeaderNavigation": "\u0428\u0430\u0440\u043b\u0430\u0443", + "LegendTheseSettingsShared": "\u041e\u0441\u044b \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440 \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u0430 \u043e\u0440\u0442\u0430\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b." } \ 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 ab3fce2889..b335850a49 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ko.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ko.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Schweinsteiger", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Restart Server", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Previous", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Next", + "LabelYoureDone": "You're Done!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Schweinsteiger", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart Server", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Previous", "TabMovies": "Movies", - "LabelFinish": "Finish", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Next", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "You're Done!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 f708171073..0d9ef60630 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ms.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ms.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Tutup", + "LabelVisitCommunity": "Melawat Masyarakat", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Biasa", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Imbas Pengumpulan", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Restart Server", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Sebelumnya", + "LabelFinish": "Habis", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Seterusnya", + "LabelYoureDone": "Kamu Selesai!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Tutup", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Melawat Masyarakat", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Biasa", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Imbas Pengumpulan", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart Server", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Sebelumnya", "TabMovies": "Movies", - "LabelFinish": "Habis", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Seterusnya", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Kamu Selesai!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 55bcca14df..9460bf637b 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/nb.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/nb.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Velkommen til Emby", - "LabelImageSavingConvention": "Bilde besparende konvensjon:", - "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.", - "HeaderNewCollection": "Ny Samling", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Kompatibel - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Knyttet til Emby Connect.", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Opprett", - "ButtonSignIn": "Logg inn", - "LiveTvPluginRequired": "En Live TV tilbyder trengs for \u00e5 kunne fortsette.", - "TitleSignIn": "Logg inn", - "LiveTvPluginRequiredHelp": "Vennligst installer en av v\u00e5re tilgjengelige programtillegg, f.eks Next Pvr eller ServerWmc.", - "LabelWebSocketPortNumber": "Web socket portnummer:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Vennligst Logg inn", - "LabelUser": "Bruker:", - "LabelExternalDDNS": "Ekstern WAN-adresse:", - "TabOther": "Andre", - "LabelPassword": "Passord:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Bes\u00f8k Emby Media", - "ButtonManualLogin": "Manuell Login", - "OptionDownloadMenuImage": "Meny", - "TabResume": "Forsette", - "PasswordLocalhostMessage": "Passord er ikke n\u00f8dvendig n\u00e5r du logger inn fra lokalhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "V\u00e6r", - "OptionDownloadBoxImage": "Boks", - "TitleAppSettings": "App-innstillinger", - "ButtonDeleteImage": "Slett bilde", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Minimum fortsettelsesprosent:", - "ButtonUpload": "Last opp", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Maksimum fortsettelsesprosent:", - "HeaderUploadNewImage": "Last opp nytt bilde", - "OptionDownloadBackImage": "Tilbake", - "LabelMinResumeDuration": "Minmimum fortsettelses varighet (sekunder)", - "OptionHideWatchedContentFromLatestMedia": "Skjul sett innhold fra siste media.", - "LabelDropImageHere": "Slipp bilde her", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titler blir antatt som ikke avspilt hvis de stopper f\u00f8r denne tiden", - "ImageUploadAspectRatioHelp": "1:1 sideforhold anbefales. Kun JPG\/PNG.", - "OptionDownloadPrimaryImage": "Prim\u00e6r", - "LabelMaxResumePercentageHelp": "Titler blir antatt som fullstendig avspilt hvis de stopper etter denne tiden", - "MessageNothingHere": "Ingeting her.", - "HeaderFetchImages": "Hent Bilder:", - "LabelMinResumeDurationHelp": "Titler kortere enn dette kan ikke fortsettes.", - "TabSuggestions": "Forslag", - "MessagePleaseEnsureInternetMetadata": "P\u00e5se at nedlasting av internet-metadata er sl\u00e5tt p\u00e5.", - "HeaderImageSettings": "Bildeinnstillinger", - "TabSuggested": "Forslag", - "LabelMaxBackdropsPerItem": "Maks antall av backdrops for hvert element:", - "TabLatest": "Siste", - "LabelMaxScreenshotsPerItem": "Maks antall av screenshots for hvert element:", - "TabUpcoming": "Kommer", - "LabelMinBackdropDownloadWidth": "Minimum backdrop nedlastings bredde:", - "TabShows": "Show", - "LabelMinScreenshotDownloadWidth": "Minimum nedlasted screenshot bredde:", - "TabEpisodes": "Episoder", - "ButtonAddScheduledTaskTrigger": "Legg til trigger", - "TabGenres": "Sjangre", - "HeaderAddScheduledTaskTrigger": "Legg til trigger", - "TabPeople": "Folk", - "ButtonAdd": "Legg til", - "TabNetworks": "Nettverk", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daglig", - "OptionWeekly": "Ukentlig", - "OptionOnInterval": "P\u00e5 intervall", - "OptionOnAppStartup": "Ved applikasjonens oppstart", - "ButtonHelp": "Hjelp", - "OptionAfterSystemEvent": "Etter systemhendelse", - "LabelDay": "Dag:", - "LabelTime": "Tid:", - "OptionRelease": "Offisiell utgivelse", - "LabelEvent": "Hendelse:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "V\u00e5kne fra dvale", - "ButtonInviteUser": "Invit\u00e9r Bruker", - "OptionDev": "Dev (Ustabil)", - "LabelEveryXMinutes": "Hver", - "HeaderTvTuners": "Tunere", - "CategorySync": "Synk", - "HeaderGallery": "Galleri", - "HeaderLatestGames": "Siste Spill", - "RegisterWithPayPal": "Registrer med PayPal", - "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 filsystemer.", - "ButtonScanLibrary": "S\u00f8k Gjennom Bibliotek", - "HeaderNumberOfPlayers": "Spillere:", - "OptionAnyNumberOfPlayers": "Noen", + "LabelExit": "Avslutt", + "LabelVisitCommunity": "Bes\u00f8k oss", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "API-dokumentasjon", - "Option2Player": "2+", "LabelDeveloperResources": "Ressurser for Utviklere", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Mediemapper", - "HeaderThemeVideos": "Temavideoer", - "HeaderThemeSongs": "Temasanger", - "HeaderScenes": "Scener", - "HeaderAwardsAndReviews": "Priser og anmeldelser", - "HeaderSoundtracks": "Lydspor", - "LabelManagement": "Administrasjon", - "HeaderMusicVideos": "Musikkvideoer", - "HeaderSpecialFeatures": "Spesielle Funksjoner", + "LabelBrowseLibrary": "Browse biblioteket", + "LabelConfigureServer": "Konfigurer Emby", + "LabelOpenLibraryViewer": "\u00c5pne Biblioteket", + "LabelRestartServer": "Restart serveren", + "LabelShowLogWindow": "Se logg-vinduet", + "LabelPrevious": "Forrige", + "LabelFinish": "Ferdig", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Neste", + "LabelYoureDone": "Ferdig!", + "WelcomeToProject": "Velkommen til Emby", + "ThisWizardWillGuideYou": "Denne wizarden vil guide deg gjennom server-konfigurasjonen. For \u00e5 begynne, vennligst velg spr\u00e5k.", + "TellUsAboutYourself": "Fortell om deg selv", + "ButtonQuickStartGuide": "Hurtigstartveiledning", + "LabelYourFirstName": "Ditt fornavn", + "MoreUsersCanBeAddedLater": "Du kan legge til flere brukere senere via Dashbord", + "UserProfilesIntro": "Emby har innebygd st\u00f8tte for brukerprofiler, slik at hver bruker har sine egne skjerminnstillinger, playstation og foreldrekontroll.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "Windows Service har blitt installert", + "WindowsServiceIntro1": "Emby Server normalt kj\u00f8rer som en desktop applikasjon, men hvis du foretrekker \u00e5 kj\u00f8re det som en bakgrunnstjeneste, kan det i stedet startes fra Windows Services i kontrollpanelet.", + "WindowsServiceIntro2": "Hvis du bruker Windows, v\u00e6r oppmerksom p\u00e5 at det ikke kan kj\u00f8res samtidig som ikonet, slik at du trenger \u00e5 g\u00e5 ut av \"trayen\" for \u00e5 kj\u00f8re tjenesten. Tjenesten m\u00e5 ogs\u00e5 konfigureres med administratorrettigheter via kontrollpanelet. V\u00e6r oppmerksom p\u00e5 at p\u00e5 denne tiden tjenesten ikke er i stand til selv-oppdatering, s\u00e5 nye versjoner vil kreve manuell interaksjon.", + "WizardCompleted": "Det er alt vi trenger for n\u00e5. Emby har begynt \u00e5 samle informasjon om mediebiblioteket. Sjekk ut noen av v\u00e5re programmer, og klikk deretter Fullf\u00f8r <\/b> for \u00e5 se Server Dashboard<\/b>.", + "LabelConfigureSettings": "Konfigurer innstillinger", + "LabelEnableVideoImageExtraction": "Aktiv\u00e9r uthenting av stillbilder fra video", + "VideoImageExtractionHelp": "For videoer som ikke allerede har bilder, og som vi ikke klarer \u00e5 finne internettbilder for. Dette gj\u00f8r at det f\u00f8rste biblioteks\u00f8ket tar noe lenger tid, men vil resultere i en mer tiltalende presentasjon.", + "LabelEnableChapterImageExtractionForMovies": "Generer kapittelbilde for Filmer", + "LabelChapterImageExtractionForMoviesHelp": "Uthenting av kapittelbilder gj\u00f8r klientene i stand til \u00e5 vise grafiske menyer for valg av scene. Prosessen kan v\u00e6re treg, CPU-intensiv og kan kreve sv\u00e6rt mange gigabytes lagringsplass. Dette kj\u00f8res som en nattlig oppgave, og kan konfigureres under Planlagte Aktiviteter. Det anbefales ikke \u00e5 kj\u00f8re denne jobben n\u00e5r serveren brukes til annet.", + "LabelEnableAutomaticPortMapping": "Sl\u00e5 p\u00e5 automatisk port-mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP tillater automatisert router-konfigurasjon for enkel ekstern tilgang. Denne funksjonen st\u00f8ttes ikke av alle routere.", + "HeaderTermsOfService": "Emby vilk\u00e5r for bruk.", + "MessagePleaseAcceptTermsOfService": "Vennligst aksepter v\u00e5re servicevilk\u00e5r og personvernpolicy f\u00f8r du fortsetter.", + "OptionIAcceptTermsOfService": "Jeg aksepterer servicevilk\u00e5rene", + "ButtonPrivacyPolicy": "Personvernpolicy", + "ButtonTermsOfService": "Servicevilk\u00e5r", "HeaderDeveloperOptions": "Utvikler-innstillinger", - "HeaderCastCrew": "Mannskap", - "LabelLocalHttpServerPortNumber": "Lokal HTTP port:", - "HeaderAdditionalParts": "Tilleggsdeler", "OptionEnableWebClientResponseCache": "Aktiver webklient respons-caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Splitt versjoner fra hverandre", - "LabelSyncTempPath": "Midlertidig fil-sti:", "OptionDisableForDevelopmentHelp": "Konfigurer disse i forbindelse med utvikling av web-klienten.", - "LabelMissing": "Mangler", - "LabelSyncTempPathHelp": "Spesifiser din egen synk-mappe. Konverterte mediefiler opprettet ved synkronisering vil lagres her.", - "LabelEnableAutomaticPortMap": "Aktiver automatisk portmapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Aktiver ressursminimering for webklient", - "LabelEnableAutomaticPortMapHelp": "Fors\u00f8k automatisk mapping av den offentlige port til den lokale port via UPnP. Dette fungerer ikke med alle rutere.", - "PathSubstitutionHelp": "Sti erstatninger er brukt for \u00e5 koble en katalog p\u00e5 serveren til en katalog som brukeren har tilgang til. Ved \u00e5 gi brukerne 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 serverens ressurser til \u00e5 streame og transcode dem.", - "LabelCustomCertificatePath": "Sti for eget sertifikat:", - "HeaderFrom": "Fra", "LabelDashboardSourcePath": "Webklient kildesti:", - "HeaderTo": "Til", - "LabelCustomCertificatePathHelp": "Angi ditt eget SSL-sertifikats .ptx-fil. Hvis feltet er blankt vil serveren opprette et eget selv-signert sertifikat.", - "LabelFrom": "Fra:", "LabelDashboardSourcePathHelp": "Hvis serveren kj\u00f8rer fra kildekode, angi sti til mappe for dashboard-ui. Alle filer for webklienten kommer fra denne mappen.", - "LabelFromHelp": "Eksempel: D:\\Filmer (P\u00e5 serveren)", - "ButtonAddToCollection": "Legg til samling", - "LabelTo": "Til:", + "ButtonConvertMedia": "Konverter media", + "ButtonOrganize": "Organiser", + "LinkedToEmbyConnect": "Knyttet til Emby Connect.", + "HeaderSupporterBenefits": "Supporter fordeler", + "HeaderAddUser": "Ny bruker", + "LabelAddConnectSupporterHelp": "For \u00e5 legge til en bruker som ikke er oppf\u00f8rt, m\u00e5 du f\u00f8rst koble sin konto til Emby Connect fra deres brukerprofilside.", + "LabelPinCode": "Pin kode:", + "OptionHideWatchedContentFromLatestMedia": "Skjul sett innhold fra siste media.", + "HeaderSync": "Synk.", + "ButtonOk": "Ok", + "ButtonCancel": "Avbryt", + "ButtonExit": "Avslutt", + "ButtonNew": "Ny", + "HeaderTV": "TV", + "HeaderAudio": "Lyd", + "HeaderVideo": "Video", "HeaderPaths": "Stier", - "LabelToHelp": "Eksempel: \\\\MinServer\\Filmer (en sti som klienter kan f\u00e5 tilgang til)", - "ButtonAddPathSubstitution": "Legg til erstatter", + "CategorySync": "Synk", + "TabPlaylist": "Spilleliste", + "HeaderEasyPinCode": "Enkel PIN-kode", + "HeaderGrownupsOnly": "Bare for voksne!", + "DividerOr": "-- eller --", + "HeaderInstalledServices": "Installerte programtillegg", + "HeaderAvailableServices": "Tilgjengelige tjenester", + "MessageNoServicesInstalled": "Ingen programtillegg er installert.", + "HeaderToAccessPleaseEnterEasyPinCode": "Oppgi din enkle PIN-kode for \u00e5 f\u00e5 tilgang", + "KidsModeAdultInstruction": "Klikk p\u00e5 l\u00e5s-ikonet nede til h\u00f8yre for \u00e5 konfigurere eller forlate barnamodus. PIN-koden vil v\u00e6re n\u00f8dvendig.", + "ButtonConfigurePinCode": "Konfigurer PIN-kode", + "HeaderAdultsReadHere": "Voksne les her!", + "RegisterWithPayPal": "Registrer med PayPal", + "HeaderSyncRequiresSupporterMembership": "Synkronisering krever st\u00f8ttemedlemskap", + "HeaderEnjoyDayTrial": "Hygg deg med en 14-dagers gratis pr\u00f8veperiode", + "LabelSyncTempPath": "Midlertidig fil-sti:", + "LabelSyncTempPathHelp": "Spesifiser din egen synk-mappe. Konverterte mediefiler opprettet ved synkronisering vil lagres her.", + "LabelCustomCertificatePath": "Sti for eget sertifikat:", + "LabelCustomCertificatePathHelp": "Angi ditt eget SSL-sertifikats .ptx-fil. Hvis feltet er blankt vil serveren opprette et eget selv-signert sertifikat.", "TitleNotifications": "Beskjeder", - "OptionSpecialEpisode": "Spesielle", - "OptionMissingEpisode": "Mangler Episoder", "ButtonDonateWithPayPal": "Don\u00e9r med PayPal", + "OptionDetectArchiveFilesAsMedia": "Behandle arkivfiler som media", + "OptionDetectArchiveFilesAsMediaHelp": "Hvis aktivert blir .rar- og .zipfiler behandlet som mediafiler.", + "LabelEnterConnectUserName": "Brukernavn eller epostadresse:", + "LabelEnterConnectUserNameHelp": "Dette er Emby Online-konto brukernavn eller passordet ditt.", + "LabelEnableEnhancedMovies": "Aktiver forbedrede filmvisning", + "LabelEnableEnhancedMoviesHelp": "N\u00e5r den er aktivert, vil filmene bli vist som mapper for \u00e5 inkludere trailere, statister, cast og crew, og annet relatert innhold.", + "HeaderSyncJobInfo": "Synk.jobb", + "FolderTypeMovies": "Filmer", + "FolderTypeMusic": "Musikk", + "FolderTypeAdultVideos": "Voksen-videoer", + "FolderTypePhotos": "Foto", + "FolderTypeMusicVideos": "Musikk-videoer", + "FolderTypeHomeVideos": "Hjemme-videoer", + "FolderTypeGames": "Spill", + "FolderTypeBooks": "B\u00f8ker", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Arve", - "OptionUnairedEpisode": "Kommende Episoder", "LabelContentType": "Innholdstype:", - "OptionEpisodeSortName": "Episode Etter Navn", "TitleScheduledTasks": "Planlagt oppgaver", - "OptionSeriesSortName": "Serienavn", + "HeaderSetupLibrary": "Konfigurer media-biblioteket", + "ButtonAddMediaFolder": "Legg til media-mappe", + "LabelFolderType": "Mappetype", + "ReferToMediaLibraryWiki": "Se i wik for media-biblioteket.", + "LabelCountry": "Land:", + "LabelLanguage": "Spr\u00e5k:", + "LabelTimeLimitHours": "Tidsbegrensning (timer):", + "ButtonJoinTheDevelopmentTeam": "Bli med i utvikler-teamet", + "HeaderPreferredMetadataLanguage": "Foretrukket spr\u00e5k for metadata", + "LabelSaveLocalMetadata": "Lagre cover og metadata i medie-mappene", + "LabelSaveLocalMetadataHelp": "Lagring av artwork og metadata direkte gjennom mediemapper vil legge dem et sted hvor de lett kan editeres.", + "LabelDownloadInternetMetadata": "Last ned cover og metadata fra internett", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferanser", + "TabPassword": "Passord", + "TabLibraryAccess": "Bibliotektilgang", + "TabAccess": "Tilgang", + "TabImage": "Bilde", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Bilder", "TabNotifications": "Varslinger", - "OptionTvdbRating": "Tvdb Rangering", - "LinkApi": "API", - "HeaderTranscodingQualityPreference": "\u00d8nsket kvalitet for transcoding", - "OptionAutomaticTranscodingHelp": "Serveren bestemmer kvalitet og hastighet", - "LabelPublicHttpPort": "Offentlig HTTP port:", - "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men raskere encoding", - "OptionHighQualityTranscodingHelp": "H\u00f8yere kvalitet, men saktere encoding", - "OptionPosterCard": "Plakatkort", - "LabelPublicHttpPortHelp": "Den offentlige porten som kobles til den lokale porten.", - "OptionMaxQualityTranscodingHelp": "Beste kvalitet med saktere encoding og h\u00f8y CPU-bruk", - "OptionThumbCard": "Thumb-kort", - "OptionHighSpeedTranscoding": "H\u00f8yere hastighet", - "OptionAllowRemoteSharedDevices": "Tillate fjernstyring av delte enheter", - "LabelPublicHttpsPort": "Offentlig HTTPS port:", - "OptionHighQualityTranscoding": "H\u00f8yere kvalitet", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheter betraktes som delte inntil en bruker begynner \u00e5 styre dem.", - "OptionMaxQualityTranscoding": "Maks kvalitet", - "HeaderRemoteControl": "Fjernstyring", - "LabelPublicHttpsPortHelp": "Den offentlige porten som den lokale porten kobles til.", - "OptionEnableDebugTranscodingLogging": "Sl\u00e5 p\u00e5 debug-logging av transcoding", + "TabCollectionTitles": "Titler", + "HeaderDeviceAccess": "Enhetstilgang", + "OptionEnableAccessFromAllDevices": "Gi tilgang fra alle enheter", + "OptionEnableAccessToAllChannels": "Gi tilgang til alle kanaler", + "OptionEnableAccessToAllLibraries": "Gi tilgang til alle bibliotek", + "DeviceAccessHelp": "Dette gjelder bare for enheter som som kan unikt identifiseres og vil ikke forindre tilgang fra nettleser. Filtrering av brukerens enhet vil forhindre dem fra \u00e5 bruke nye enheter inntil de har blitt godkjent her.", + "LabelDisplayMissingEpisodesWithinSeasons": "Vis episoder som mangler fra sesongen", + "LabelUnairedMissingEpisodesWithinSeasons": "Vis episoder som enn\u00e5 ikke har blitt sendt", + "HeaderVideoPlaybackSettings": "Innstillinger for video-avspilling", + "HeaderPlaybackSettings": "Avspillingsinnstillinger", + "LabelAudioLanguagePreference": "Foretrukket lydspor:", + "LabelSubtitleLanguagePreference": "Foretrukket undertekst:", "OptionDefaultSubtitles": "Standard", - "OptionEnableDebugTranscodingLoggingHelp": "Dette vil lage veldig store log-filer og er kun anbefalt ved feils\u00f8king.", - "LabelEnableHttps": "Oppgi HTTPS som ekstern adresse", - "HeaderUsers": "Brukere", "OptionOnlyForcedSubtitles": "Kun tvungede undertekster", - "HeaderFilters": "Filtre", "OptionAlwaysPlaySubtitles": "Alltid vis undertekster", - "LabelEnableHttpsHelp": "Hvis denne er aktivert vil serveren oppgi en HTTPS URL som sin eksterne adresse. Dette kan \u00f8delegge for klienter som enda ikke st\u00f8tter HTTPS", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Ingen undertekster", "OptionDefaultSubtitlesHelp": "Undertekster som samsvarer med foretrukket spr\u00e5k vil bli vist n\u00e5r lyden er p\u00e5 et fremmed spr\u00e5k.", - "OptionFavorite": "Favoritter", "OptionOnlyForcedSubtitlesHelp": "Kun undertekster markert som tvunget vil bli vist.", - "LabelHttpsPort": "Lokal HTTPS port:", - "OptionLikes": "Liker", "OptionAlwaysPlaySubtitlesHelp": "Undertekster som samsvarer med foretrukket spr\u00e5k vil bli vist uavhengig lydens spr\u00e5k.", - "OptionDislikes": "Misliker", "OptionNoSubtitlesHelp": "Undertekster vil ikke bli lastet som standard.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiler", + "TabSecurity": "Sikkerhet", + "ButtonAddUser": "Ny bruker", + "ButtonAddLocalUser": "Legg til lokal bruker", + "ButtonInviteUser": "Invit\u00e9r Bruker", + "ButtonSave": "Lagre", + "ButtonResetPassword": "Tilbakestill passord", + "LabelNewPassword": "Nytt passord:", + "LabelNewPasswordConfirm": "Bekreft nytt passord:", + "HeaderCreatePassword": "Lag nytt passord", + "LabelCurrentPassword": "N\u00e5v\u00e6rende passord:", + "LabelMaxParentalRating": "Maks tillatt sensur:", + "MaxParentalRatingHelp": "Innhold med h\u00f8yere aldersgrense vil bli skjult for brukeren", + "LibraryAccessHelp": "Velg media mappe som skal deles med denne brukren. Administrator vil ha mulighet for \u00e5 endre alle mapper ved \u00e5 bruke metadata behandler.", + "ChannelAccessHelp": "Velg kanaler som skal deler med denne brukeren. Administratorer har mulighet til \u00e5 editere p\u00e5 alle kanaler som benytter metadata behandleren.", + "ButtonDeleteImage": "Slett bilde", + "LabelSelectUsers": "Velg brukere:", + "ButtonUpload": "Last opp", + "HeaderUploadNewImage": "Last opp nytt bilde", + "LabelDropImageHere": "Slipp bilde her", + "ImageUploadAspectRatioHelp": "1:1 sideforhold anbefales. Kun JPG\/PNG.", + "MessageNothingHere": "Ingeting her.", + "MessagePleaseEnsureInternetMetadata": "P\u00e5se at nedlasting av internet-metadata er sl\u00e5tt p\u00e5.", + "TabSuggested": "Forslag", + "TabSuggestions": "Forslag", + "TabLatest": "Siste", + "TabUpcoming": "Kommer", + "TabShows": "Show", + "TabEpisodes": "Episoder", + "TabGenres": "Sjangre", + "TabPeople": "Folk", + "TabNetworks": "Nettverk", + "HeaderUsers": "Brukere", + "HeaderFilters": "Filtre", + "ButtonFilter": "Filter", + "OptionFavorite": "Favoritter", + "OptionLikes": "Liker", + "OptionDislikes": "Misliker", "OptionActors": "Skuespillere", - "TangibleSoftwareMessage": "Utnytte konkrete l\u00f8sninger Java \/ C # omformere gjennom en donert lisens.", "OptionGuestStars": "Gjeste-opptredener", - "HeaderCredits": "Credits", "OptionDirectors": "Regis\u00f8r", - "TabCollections": "Samlinger", "OptionWriters": "Manus", - "TabFavorites": "Favoritter", "OptionProducers": "Produsent", - "TabMyLibrary": "Mitt Bibliotek", - "HeaderServices": "Tjenester", "HeaderResume": "Fortsette", - "LabelCustomizeOptionsPerMediaType": "Tilpass for media type:", "HeaderNextUp": "Neste", "NoNextUpItemsMessage": "Ingen funnet. Begyn \u00e5 se det du har", "HeaderLatestEpisodes": "Siste episoder", @@ -219,42 +200,32 @@ "TabMusicVideos": "Musikk-videoer", "ButtonSort": "Sorter", "HeaderSortBy": "Sorter etter:", - "OptionEnableAccessToAllChannels": "Gi tilgang til alle kanaler", "HeaderSortOrder": "Sorter Etter:", - "LabelAutomaticUpdates": "Skru p\u00e5 automatiske oppdateringer", "OptionPlayed": "Sett", - "LabelFanartApiKey": "Personlig API-n\u00f8kkel:", "OptionUnplayed": "Ikke sett", - "LabelFanartApiKeyHelp": "Foresp\u00f8rsler for fanart uten personlig API-n\u00f8kkel vil gi resultater som ble godkjent for over 7 dager siden. Med en personlig API-n\u00f8kkel synker dette til 48 timer, og med et fanart VIP-medlemskap synker det ytterliger til ca. 10 minutter.", "OptionAscending": "\u00d8kende", "OptionDescending": "Synkende", "OptionRuntime": "Spilletid", + "OptionReleaseDate": "Uttgitt dato", "OptionPlayCount": "Antall avspillinger", "OptionDatePlayed": "Dato spilt", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Dato lagt til", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby vilk\u00e5r for bruk.", - "LabelCustomCss": "Tilpass CSS:", - "OptionDetectArchiveFilesAsMedia": "Behandle arkivfiler som media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Vennligst aksepter v\u00e5re servicevilk\u00e5r og personvernpolicy f\u00f8r du fortsetter.", - "OptionDetectArchiveFilesAsMediaHelp": "Hvis aktivert blir .rar- og .zipfiler behandlet som mediafiler.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Jeg aksepterer servicevilk\u00e5rene", - "LabelCustomCssHelp": "Bruk din egen CSS p\u00e5 web-grensesnittet.", "OptionTrackName": "L\u00e5tnavn", - "ButtonPrivacyPolicy": "Personvernpolicy", - "LabelSelectUsers": "Velg brukere:", "OptionCommunityRating": "Community Rangering", - "ButtonTermsOfService": "Servicevilk\u00e5r", "OptionNameSort": "Navn", + "OptionFolderSort": "Mapper", "OptionBudget": "Budsjett", - "OptionHideUserFromLoginHelp": "Praktisk for private eller skjulte administratorer. Brukeren vil m\u00e5tte logge inn manuelt ved \u00e5 skrive inn brukernavn og passord.", "OptionRevenue": "Inntjening", "OptionPoster": "Plakat", + "OptionPosterCard": "Plakatkort", + "OptionBackdrop": "Bakgrunn", "OptionTimeline": "Tidslinje", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb-kort", + "OptionBanner": "Banner", "OptionCriticRating": "Kritikervurdering", "OptionVideoBitrate": "Video bitrate", "OptionResumable": "Kan fortsettes", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Planlagte Oppgaver", "TabMyPlugins": "Mine programtillegg", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Denne wizarden vil guide deg gjennom server-konfigurasjonen. For \u00e5 begynne, vennligst velg spr\u00e5k.", - "TellUsAboutYourself": "Fortell om deg selv", + "TitlePlugins": "Programtillegg", "HeaderAutomaticUpdates": "Automatiske oppdateringer", - "LabelYourFirstName": "Ditt fornavn", - "LabelPinCode": "Pin kode:", - "MoreUsersCanBeAddedLater": "Du kan legge til flere brukere senere via Dashbord", "HeaderNowPlaying": "Spiller n\u00e5", - "UserProfilesIntro": "Emby har innebygd st\u00f8tte for brukerprofiler, slik at hver bruker har sine egne skjerminnstillinger, playstation og foreldrekontroll.", "HeaderLatestAlbums": "Siste album", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Siste l\u00e5ter", - "ButtonExit": "Avslutt", - "ButtonConvertMedia": "Konverter media", - "AWindowsServiceHasBeenInstalled": "Windows Service har blitt installert", "HeaderRecentlyPlayed": "Nylig avspilt", - "LabelTimeLimitHours": "Tidsbegrensning (timer):", - "WindowsServiceIntro1": "Emby Server normalt kj\u00f8rer som en desktop applikasjon, men hvis du foretrekker \u00e5 kj\u00f8re det som en bakgrunnstjeneste, kan det i stedet startes fra Windows Services i kontrollpanelet.", "HeaderFrequentlyPlayed": "Ofte avspilt", - "ButtonOrganize": "Organiser", - "WindowsServiceIntro2": "Hvis du bruker Windows, v\u00e6r oppmerksom p\u00e5 at det ikke kan kj\u00f8res samtidig som ikonet, slik at du trenger \u00e5 g\u00e5 ut av \"trayen\" for \u00e5 kj\u00f8re tjenesten. Tjenesten m\u00e5 ogs\u00e5 konfigureres med administratorrettigheter via kontrollpanelet. V\u00e6r oppmerksom p\u00e5 at p\u00e5 denne tiden tjenesten ikke er i stand til selv-oppdatering, s\u00e5 nye versjoner vil kreve manuell interaksjon.", "DevBuildWarning": "Dev builds er \u00e5 anses som ustabile. Disse har ikke blitt testet. Dette vil kunne medf\u00f8re til at applikasjonen kan krasje og komplette funksjoner ikke fungerer.", - "HeaderGrownupsOnly": "Bare for voksne!", - "WizardCompleted": "Det er alt vi trenger for n\u00e5. Emby har begynt \u00e5 samle informasjon om mediebiblioteket. Sjekk ut noen av v\u00e5re programmer, og klikk deretter Fullf\u00f8r <\/b> for \u00e5 se Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Bli med i utvikler-teamet", - "LabelConfigureSettings": "Konfigurer innstillinger", - "LabelEnableVideoImageExtraction": "Aktiv\u00e9r uthenting av stillbilder fra video", - "DividerOr": "-- eller --", - "OptionEnableAccessToAllLibraries": "Gi tilgang til alle bibliotek", - "VideoImageExtractionHelp": "For videoer som ikke allerede har bilder, og som vi ikke klarer \u00e5 finne internettbilder for. Dette gj\u00f8r at det f\u00f8rste biblioteks\u00f8ket tar noe lenger tid, men vil resultere i en mer tiltalende presentasjon.", - "LabelEnableChapterImageExtractionForMovies": "Generer kapittelbilde for Filmer", - "HeaderInstalledServices": "Installerte programtillegg", - "LabelChapterImageExtractionForMoviesHelp": "Uthenting av kapittelbilder gj\u00f8r klientene i stand til \u00e5 vise grafiske menyer for valg av scene. Prosessen kan v\u00e6re treg, CPU-intensiv og kan kreve sv\u00e6rt mange gigabytes lagringsplass. Dette kj\u00f8res som en nattlig oppgave, og kan konfigureres under Planlagte Aktiviteter. Det anbefales ikke \u00e5 kj\u00f8re denne jobben n\u00e5r serveren brukes til annet.", - "TitlePlugins": "Programtillegg", - "HeaderToAccessPleaseEnterEasyPinCode": "Oppgi din enkle PIN-kode for \u00e5 f\u00e5 tilgang", - "LabelEnableAutomaticPortMapping": "Sl\u00e5 p\u00e5 automatisk port-mapping", - "HeaderSupporterBenefits": "Supporter fordeler", - "LabelEnableAutomaticPortMappingHelp": "UPnP tillater automatisert router-konfigurasjon for enkel ekstern tilgang. Denne funksjonen st\u00f8ttes ikke av alle routere.", - "HeaderAvailableServices": "Tilgjengelige tjenester", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Avbryt", - "HeaderAddUser": "Ny bruker", - "HeaderSetupLibrary": "Konfigurer media-biblioteket", - "MessageNoServicesInstalled": "Ingen programtillegg er installert.", - "ButtonAddMediaFolder": "Legg til media-mappe", - "ButtonConfigurePinCode": "Konfigurer PIN-kode", - "LabelFolderType": "Mappetype", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Se i wik for media-biblioteket.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Land:", - "LabelLanguage": "Spr\u00e5k:", - "HeaderPreferredMetadataLanguage": "Foretrukket spr\u00e5k for metadata", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Lagre cover og metadata i medie-mappene", - "LabelSaveLocalMetadataHelp": "Lagring av artwork og metadata direkte gjennom mediemapper vil legge dem et sted hvor de lett kan editeres.", - "LabelDownloadInternetMetadata": "Last ned cover og metadata fra internett", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Enhetstilgang", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Avslutt", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Bes\u00f8k oss", "LabelVideoType": "Video-type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Standard", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Gi tilgang fra alle enheter", - "LabelBrowseLibrary": "Browse biblioteket", "LabelFeatures": "Funksjoner:", - "DeviceAccessHelp": "Dette gjelder bare for enheter som som kan unikt identifiseres og vil ikke forindre tilgang fra nettleser. Filtrering av brukerens enhet vil forhindre dem fra \u00e5 bruke nye enheter inntil de har blitt godkjent her.", - "ChannelAccessHelp": "Velg kanaler som skal deler med denne brukeren. Administratorer har mulighet til \u00e5 editere p\u00e5 alle kanaler som benytter metadata behandleren.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Versjon:", + "LabelLastResult": "Siste resultat:", "OptionHasSubtitles": "Undertekster", - "LabelOpenLibraryViewer": "\u00c5pne Biblioteket", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart serveren", "OptionHasThemeSong": "Temasang", - "LabelShowLogWindow": "Se logg-vinduet", "OptionHasThemeVideo": "Temavideo", - "LabelPrevious": "Forrige", "TabMovies": "Filmer", - "LabelFinish": "Ferdig", "TabStudios": "Studio", - "FolderTypeMixed": "Forskjellig innhold", - "LabelNext": "Neste", "TabTrailers": "Trailere", - "FolderTypeMovies": "Filmer", - "LabelYoureDone": "Ferdig!", + "LabelArtists": "Artister:", + "LabelArtistsHelp": "Skill flere med semikolon ;", "HeaderLatestMovies": "Siste Filmer", - "FolderTypeMusic": "Musikk", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Synkronisering krever st\u00f8ttemedlemskap", "HeaderLatestTrailers": "Siste Trailers", - "FolderTypeAdultVideos": "Voksen-videoer", "OptionHasSpecialFeatures": "Spesialfunksjoner", - "FolderTypePhotos": "Foto", - "ButtonSubmit": "Send", - "HeaderEnjoyDayTrial": "Hygg deg med en 14-dagers gratis pr\u00f8veperiode", "OptionImdbRating": "IMDb Rangering", - "FolderTypeMusicVideos": "Musikk-videoer", - "LabelFailed": "Feilet", "OptionParentalRating": "Foreldresensur", - "FolderTypeHomeVideos": "Hjemme-videoer", - "LabelSeries": "Serie:", "OptionPremiereDate": "Premieredato", - "FolderTypeGames": "Spill", - "ButtonRefresh": "Oppdater", "TabBasic": "Enkel", - "FolderTypeBooks": "B\u00f8ker", - "HeaderPlaybackSettings": "Avspillingsinnstillinger", "TabAdvanced": "Avansert", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Fortsetter", "OptionEnded": "Avsluttet", - "HeaderSync": "Synk.", - "TabPreferences": "Preferanser", "HeaderAirDays": "Vises dager", - "OptionReleaseDate": "Uttgitt dato", - "TabPassword": "Passord", - "HeaderEasyPinCode": "Enkel PIN-kode", "OptionSunday": "S\u00f8ndag", - "LabelArtists": "Artister:", - "TabLibraryAccess": "Bibliotektilgang", - "TitleAutoOrganize": "Auto-Organisering", "OptionMonday": "Mandag", - "LabelArtistsHelp": "Skill flere med semikolon ;", - "TabImage": "Bilde", - "TabActivityLog": "Aktivitetslog", "OptionTuesday": "Tirsdag", - "ButtonAdvancedRefresh": "Avansert Oppfrskning", - "TabProfile": "Profil", - "HeaderName": "Navn", "OptionWednesday": "Onsdag", - "LabelDisplayMissingEpisodesWithinSeasons": "Vis episoder som mangler fra sesongen", - "HeaderDate": "Dato", "OptionThursday": "Torsdag", - "LabelUnairedMissingEpisodesWithinSeasons": "Vis episoder som enn\u00e5 ikke har blitt sendt", - "HeaderSource": "Kilde", "OptionFriday": "Fredag", - "ButtonAddLocalUser": "Legg til lokal bruker", - "HeaderVideoPlaybackSettings": "Innstillinger for video-avspilling", - "HeaderDestination": "Destinasjon", "OptionSaturday": "L\u00f8rdag", - "LabelAudioLanguagePreference": "Foretrukket lydspor:", - "HeaderProgram": "Program", "HeaderManagement": "Strying", - "OptionMissingTmdbId": "Mangler Tmdb ID", - "LabelSubtitleLanguagePreference": "Foretrukket undertekst:", - "HeaderClients": "Klienter", + "LabelManagement": "Administrasjon", "OptionMissingImdbId": "Mangler IMDb ID", + "OptionMissingTvdbId": "Mangler TVDB ID", + "OptionMissingOverview": "Mangler oversikt", + "OptionFileMetadataYearMismatch": "Fil\/Metadata \u00e5r mismatch", + "TabGeneral": "Genrelt", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Logg", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Om", + "TabSupporterKey": "Supporter-n\u00f8kkel", + "TabBecomeSupporter": "Bli en supporter", + "ProjectHasCommunity": "Emby har et voksende fellesskap av brukere og bidragsytere.", + "CheckoutKnowledgeBase": "Sjekk ut v\u00e5r kunnskapsbase for \u00e5 hjelpe deg til \u00e5 f\u00e5 mest mulig ut av Emby.", + "SearchKnowledgeBase": "S\u00f8k kunnskapsbasen", + "VisitTheCommunity": "Bes\u00f8k oss", + "VisitProjectWebsite": "Bes\u00f8k Emby Media", + "VisitProjectWebsiteLong": "Bes\u00f8k Emby.media for \u00e5 f\u00e5 de siste nyhetene og holde tritt med utviklerbloggen.", + "OptionHideUser": "Skjul brukere fra logginn-skjermen", + "OptionHideUserFromLoginHelp": "Praktisk for private eller skjulte administratorer. Brukeren vil m\u00e5tte logge inn manuelt ved \u00e5 skrive inn brukernavn og passord.", + "OptionDisableUser": "Deaktiver denne brukeren", + "OptionDisableUserHelp": "Hvis avsl\u00e5tt vil ikke serveren godta noen forbindelser fra denne brukeren. Eksisterende forbindelser vil avsluttes umiddelbart.", + "HeaderAdvancedControl": "Avansert Kontroll", + "LabelName": "Navn", + "ButtonHelp": "Hjelp", + "OptionAllowUserToManageServer": "TIllatt denne brukeren \u00e5 administrere serveren", + "HeaderFeatureAccess": "Funksjonstilgang", + "OptionAllowMediaPlayback": "Tillate avspilling av media", + "OptionAllowBrowsingLiveTv": "Tillate Live TV", + "OptionAllowDeleteLibraryContent": "Tillate sletting av media", + "OptionAllowManageLiveTv": "Tillate administrasjon av Live TV", + "OptionAllowRemoteControlOthers": "Tillat fjernstyring av andre brukere", + "OptionAllowRemoteSharedDevices": "Tillate fjernstyring av delte enheter", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheter betraktes som delte inntil en bruker begynner \u00e5 styre dem.", + "OptionAllowLinkSharing": "Tillat deling p\u00e5 sosiale media", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Fjernstyring", + "OptionMissingTmdbId": "Mangler Tmdb ID", "OptionIsHD": "HD", - "HeaderAudio": "Lyd", - "LabelCompleted": "Fullf\u00f8rt", - "OptionMissingTvdbId": "Mangler TVDB ID", "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Hurtigstartveiledning", - "TabProfiles": "Profiler", - "OptionMissingOverview": "Mangler oversikt", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Synk.jobb", - "TabSecurity": "Sikkerhet", - "HeaderVideo": "Video", - "LabelSkipped": "Hoppet over", - "OptionFileMetadataYearMismatch": "Fil\/Metadata \u00e5r mismatch", "ButtonSelect": "Velg", - "ButtonAddUser": "Ny bruker", - "HeaderEpisodeOrganization": "Organisering av episoder", - "TabGeneral": "Genrelt", "ButtonGroupVersions": "Gruppeversjoner", - "TabGuide": "Guide", - "ButtonSave": "Lagre", - "TitleSupport": "Support", + "ButtonAddToCollection": "Legg til samling", "PismoMessage": "Utnytte Pismo File Mount gjennom en donert lisens.", - "TabChannels": "Kanaler", - "ButtonResetPassword": "Tilbakestill passord", - "LabelSeasonNumber": "Sesong nummer:", - "TabLog": "Logg", + "TangibleSoftwareMessage": "Utnytte konkrete l\u00f8sninger Java \/ C # omformere gjennom en donert lisens.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Vennligst gi st\u00f8tte til andre gratisprodukter vi benytter:", - "HeaderChannels": "Kanaler", - "LabelNewPassword": "Nytt passord:", - "LabelEpisodeNumber": "Episode nummer:", - "TabAbout": "Om", "VersionNumber": "Versjon {0}", - "TabRecordings": "Opptak", - "LabelNewPasswordConfirm": "Bekreft nytt passord:", - "LabelEndingEpisodeNumber": "Ending av episode nummer:", - "TabSupporterKey": "Supporter-n\u00f8kkel", "TabPaths": "Stier", - "TabScheduled": "Planlagt", - "HeaderCreatePassword": "Lag nytt passord", - "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for multi-episode filer", - "TabBecomeSupporter": "Bli en supporter", "TabServer": "Server", - "TabSeries": "Serier", - "LabelCurrentPassword": "N\u00e5v\u00e6rende passord:", - "HeaderSupportTheTeam": "St\u00f8tt Emby teamet!", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Avbryt Opptak", - "LabelMaxParentalRating": "Maks tillatt sensur:", - "LabelSupportAmount": "Sum (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Avansert", - "HeaderPrePostPadding": "Margin f\u00f8r\/etter", - "MaxParentalRatingHelp": "Innhold med h\u00f8yere aldersgrense vil bli skjult for brukeren", - "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.", - "SearchKnowledgeBase": "S\u00f8k kunnskapsbasen", "LabelAutomaticUpdateLevel": "Automatisk oppdaterings niv\u00e5", - "LabelPrePaddingMinutes": "Margin f\u00f8r programstart i minutter:", - "LibraryAccessHelp": "Velg media mappe som skal deles med denne brukren. Administrator vil ha mulighet for \u00e5 endre alle mapper ved \u00e5 bruke metadata behandler.", - "ButtonEnterSupporterKey": "Skriv supportn\u00f8kkel", - "VisitTheCommunity": "Bes\u00f8k oss", + "OptionRelease": "Offisiell utgivelse", + "OptionBeta": "Beta", + "OptionDev": "Dev (Ustabil)", "LabelAllowServerAutoRestart": "Tillat at serveren restartes automatisk for \u00e5 gjennomf\u00f8re oppdateringer", - "OptionPrePaddingRequired": "Margin f\u00f8r programstart kreves for \u00e5 kunne gj\u00f8re opptak", - "OptionNoSubtitles": "Ingen undertekster", - "DonationNextStep": "N\u00e5r du er ferdig, kan du g\u00e5 tilbake og skriv inn din supportn\u00f8kkel, som du vil motta p\u00e5 e-post.", "LabelAllowServerAutoRestartHelp": "Serveren vil kun restartes i inaktive perioder, n\u00e5r ingen brukere er aktive.", - "LabelPostPaddingMinutes": "Margin etter programslutt i minutter:", - "AutoOrganizeHelp": "Auto-organisere monitorerer dine nedlastingsmapper for nye filer og flytter dem til riktig mediakatalog.", "LabelEnableDebugLogging": "Sl\u00e5 p\u00e5 debug logging.", - "OptionPostPaddingRequired": "Margin etter programslutt kreves for \u00e5 kunne gj\u00f8re opptak", - "AutoOrganizeTvHelp": "TV organisering vil kun legge til episoder til eksisterende serier. Den vil ikke lage nye serie-mapper.", - "OptionHideUser": "Skjul brukere fra logginn-skjermen", "LabelRunServerAtStartup": "Start server ved maskin-oppstart", - "HeaderWhatsOnTV": "Hva er p\u00e5", - "ButtonNew": "Ny", - "OptionEnableEpisodeOrganization": "Aktiver organisering av ny episode", - "OptionDisableUser": "Deaktiver denne brukeren", "LabelRunServerAtStartupHelp": "Dette vil starte ikonet ved oppstart av Windows. For \u00e5 starte Windows-tjeneste, fjerner du denne markering og kj\u00f8rer tjenesten fra kontrollpanelet i Windows. V\u00e6r oppmerksom p\u00e5 at du ikke kan kj\u00f8re begge p\u00e5 samme tid, s\u00e5 du m\u00e5 g\u00e5 ut av ikonet f\u00f8r du starter tjenesten.", - "HeaderUpcomingTV": "Kommende TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Se p\u00e5 mappe:", - "OptionDisableUserHelp": "Hvis avsl\u00e5tt vil ikke serveren godta noen forbindelser fra denne brukeren. Eksisterende forbindelser vil avsluttes umiddelbart.", "ButtonSelectDirectory": "Velg Katalog", - "TabStatus": "Status", - "TabImages": "Bilder", - "LabelWatchFolderHelp": "Serveren vil hente denne mappen under 'Organiser nye mediefiler' planlagte oppgaven.", - "HeaderAdvancedControl": "Avansert Kontroll", "LabelCustomPaths": "Angi egendefinerte stier der du \u00f8nsker. La feltene st\u00e5 tomme for \u00e5 bruke standardinnstillingene.", - "TabSettings": "Innstillinger", - "TabCollectionTitles": "Titler", - "TabPlaylist": "Spilleliste", - "ButtonViewScheduledTasks": "Se p\u00e5 planlagte oppgaver", - "LabelName": "Navn", "LabelCachePath": "Buffer sti:", - "ButtonRefreshGuideData": "Oppdater Guide Data", - "LabelMinFileSizeForOrganize": "Minimum fil st\u00f8rrelse (MB):", - "OptionAllowUserToManageServer": "TIllatt denne brukeren \u00e5 administrere serveren", "LabelCachePathHelp": "Definer en tilpasset lokalisering for server cache filer, som bilder.", - "OptionPriority": "Prioritet", - "ButtonRemove": "Fjern", - "LabelMinFileSizeForOrganizeHelp": "Filer under denne st\u00f8rrelsen vil bli ignorert.", - "HeaderFeatureAccess": "Funksjonstilgang", "LabelImagesByNamePath": "Bilder etter navn sti:", - "OptionRecordOnAllChannels": "Ta opptak p\u00e5 alle kanaler", - "EditCollectionItemsHelp": "Legg til eller fjern hvilken som helst film, serie, album, bok eller spill som du \u00f8nsker \u00e5 gruppere innen denne samlingen.", - "TabAccess": "Tilgang", - "LabelSeasonFolderPattern": "Sesong mappe m\u00f8nster:", - "OptionAllowMediaPlayback": "Tillate avspilling av media", "LabelImagesByNamePathHelp": "Angi en egen katalog for nedlastede bilder for skuespiller, sjanger og studio.", + "LabelMetadataPath": "Metadata sti:", + "LabelMetadataPathHelp": "Definer en tilpasset lokalisering for nedlastede artwork og metadata, hvis ikke skjer lagring innen media mappene.", + "LabelTranscodingTempPath": "Sti for midlertidig transcoding:", + "LabelTranscodingTempPathHelp": "Denne mappen inneholder fungerende filer som blir brukt av transcoderen. Spesifiser en tilpasset sti eller la det st\u00e5 tomt for \u00e5 benytte serverens standard sti.", + "TabBasics": "Basics", + "TabTV": "TV", + "TabGames": "Spill", + "TabMusic": "Musikk", + "TabOthers": "Andre", + "HeaderExtractChapterImagesFor": "Pakk ut kapittelbilder for:", + "OptionMovies": "Filmer", + "OptionEpisodes": "Episoder", + "OptionOtherVideos": "Andre Videoer", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Skru p\u00e5 automatiske oppdateringer", + "LabelAutomaticUpdatesTmdb": "Aktiver automatisk oppdateringer fra TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Aktiver automatisk oppdateringer fra TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til fanart.tv. Eksisterende bilder vil ikke bli erstattet.", + "LabelAutomaticUpdatesTmdbHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til i TheMovieDB.org. Ekisterende bilder vil ikke bli erstattet.", + "LabelAutomaticUpdatesTvdbHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til i TheTVDB.com. Ekisterende bilder vil ikke bli erstattet.", + "LabelFanartApiKey": "Personlig API-n\u00f8kkel:", + "LabelFanartApiKeyHelp": "Foresp\u00f8rsler for fanart uten personlig API-n\u00f8kkel vil gi resultater som ble godkjent for over 7 dager siden. Med en personlig API-n\u00f8kkel synker dette til 48 timer, og med et fanart VIP-medlemskap synker det ytterliger til ca. 10 minutter.", + "ExtractChapterImagesHelp": "Ved \u00e5 hente ut kapittelbilder kan klientene vise grafiske menyer for valg av sccene. Denne prosessen kan v\u00e6re treg, CPU-intensiv og krever flerfoldige gigabytes med plass. Prosessen kj\u00f8res n\u00e5r videoer scannes, og kan ogs\u00e5 kj\u00f8res om natten. Dette er konfigurerbart under Planlagte Aktiviteter. Det er ikke anbefalt \u00e5 kj\u00f8re dette mens serveren er i bruk til visning av media.", + "LabelMetadataDownloadLanguage": "Foretrukket nedlastingsspr\u00e5k:", + "ButtonAutoScroll": "Auto-scroll", + "LabelImageSavingConvention": "Bilde besparende konvensjon:", + "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Kompatibel - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "Logg inn", + "TitleSignIn": "Logg inn", + "HeaderPleaseSignIn": "Vennligst Logg inn", + "LabelUser": "Bruker:", + "LabelPassword": "Passord:", + "ButtonManualLogin": "Manuell Login", + "PasswordLocalhostMessage": "Passord er ikke n\u00f8dvendig n\u00e5r du logger inn fra lokalhost.", + "TabGuide": "Guide", + "TabChannels": "Kanaler", + "TabCollections": "Samlinger", + "HeaderChannels": "Kanaler", + "TabRecordings": "Opptak", + "TabScheduled": "Planlagt", + "TabSeries": "Serier", + "TabFavorites": "Favoritter", + "TabMyLibrary": "Mitt Bibliotek", + "ButtonCancelRecording": "Avbryt Opptak", + "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", + "HeaderRepeatingOptions": "Gjenta alternativer", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Tjenester", + "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": "Bildeinnstillinger", + "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 trigger", + "HeaderAddScheduledTaskTrigger": "Legg til trigger", + "ButtonAdd": "Legg til", + "LabelTriggerType": "Trigger Type:", + "OptionDaily": "Daglig", + "OptionWeekly": "Ukentlig", + "OptionOnInterval": "P\u00e5 intervall", + "OptionOnAppStartup": "Ved applikasjonens oppstart", + "OptionAfterSystemEvent": "Etter systemhendelse", + "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 filsystemer.", + "ButtonScanLibrary": "S\u00f8k Gjennom Bibliotek", + "HeaderNumberOfPlayers": "Spillere:", + "OptionAnyNumberOfPlayers": "Noen", + "Option1Player": "1+", + "Option2Player": "2+", + "Option3Player": "3+", + "Option4Player": "4+", + "HeaderMediaFolders": "Mediemapper", + "HeaderThemeVideos": "Temavideoer", + "HeaderThemeSongs": "Temasanger", + "HeaderScenes": "Scener", + "HeaderAwardsAndReviews": "Priser og anmeldelser", + "HeaderSoundtracks": "Lydspor", + "HeaderMusicVideos": "Musikkvideoer", + "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 koble en katalog p\u00e5 serveren til en katalog som brukeren har tilgang til. Ved \u00e5 gi brukerne 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 serverens ressurser til \u00e5 streame og transcode dem.", + "HeaderFrom": "Fra", + "HeaderTo": "Til", + "LabelFrom": "Fra:", + "LabelFromHelp": "Eksempel: D:\\Filmer (P\u00e5 serveren)", + "LabelTo": "Til:", + "LabelToHelp": "Eksempel: \\\\MinServer\\Filmer (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": "Serienavn", + "OptionTvdbRating": "Tvdb Rangering", + "HeaderTranscodingQualityPreference": "\u00d8nsket kvalitet for transcoding", + "OptionAutomaticTranscodingHelp": "Serveren bestemmer 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-logging av transcoding", + "OptionEnableDebugTranscodingLoggingHelp": "Dette vil lage veldig store log-filer og er kun anbefalt ved feils\u00f8king.", + "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", - "OptionAllowBrowsingLiveTv": "Tillate Live TV", - "LabelMetadataPath": "Metadata sti:", - "OptionRecordOnlyNewEpisodes": "Ta opptak kun av nye episoder", "LabelEnableDlnaPlayTo": "Sl\u00e5 p\u00e5 DLNA Play To", - "OptionAllowDeleteLibraryContent": "Tillate sletting av media", - "LabelMetadataPathHelp": "Definer en tilpasset lokalisering for nedlastede artwork og metadata, hvis ikke skjer lagring innen media mappene.", - "HeaderDays": "Dager", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Tillate administrasjon av Live TV", - "LabelTranscodingTempPath": "Sti for midlertidig transcoding:", - "HeaderActiveRecordings": "Aktive opptak", "LabelEnableDlnaDebugLogging": "Sl\u00e5 p\u00e5 DLNA debug logging", - "OptionAllowRemoteControlOthers": "Tillat fjernstyring av andre brukere", - "LabelTranscodingTempPathHelp": "Denne mappen inneholder fungerende filer som blir brukt av transcoderen. Spesifiser en tilpasset sti eller la det st\u00e5 tomt for \u00e5 benytte serverens standard sti.", - "HeaderLatestRecordings": "Siste opptak", "LabelEnableDlnaDebugLoggingHelp": "Dette vil lage store log filer og burde kun benyttes for feils\u00f8king.", - "TabBasics": "Basics", - "HeaderAllRecordings": "Alle opptak", "LabelEnableDlnaClientDiscoveryInterval": "Klient oppdaterings interval (Sekunder)", - "LabelEnterConnectUserName": "Brukernavn eller epost:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Spill", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "Dette er ditt Emby Online-konto brukernavn og passord.", - "TabGames": "Spill", - "LabelStatus": "Status:", - "ButtonEdit": "Rediger", "HeaderCustomDlnaProfiles": "Tilpassede Profiler", - "TabMusic": "Musikk", - "LabelVersion": "Versjon:", - "ButtonRecord": "Opptak", "HeaderSystemDlnaProfiles": "Systemprofiler", - "TabOthers": "Andre", - "LabelLastResult": "Siste resultat:", - "ButtonDelete": "Slett", "CustomDlnaProfilesHelp": "Lag en tilpasset profil for \u00e5 sette en ny enhet til \u00e5 overstyre en system profil.", - "HeaderExtractChapterImagesFor": "Pakk ut kapittelbilder for:", - "OptionRecordSeries": "Ta opptak av Serier", "SystemDlnaProfilesHelp": "Systemprofiler er read-only. Endinger p\u00e5 en systemprofil vil bli lagret til en ny tilpasset profil.", - "OptionMovies": "Filmer", - "HeaderDetails": "Detaljer", "TitleDashboard": "Dashbord", - "OptionEpisodes": "Episoder", "TabHome": "Hjem", - "OptionOtherVideos": "Andre Videoer", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Lenker", "HeaderSystemPaths": "Systemstier", - "LabelAutomaticUpdatesTmdb": "Aktiver automatisk oppdateringer fra TheMovieDB.org", "LinkCommunity": "Samfunn", - "LabelAutomaticUpdatesTvdb": "Aktiver automatisk oppdateringer fra TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til fanart.tv. Eksisterende bilder vil ikke bli erstattet.", + "LinkApi": "API", "LinkApiDocumentation": "API Dokumentasjon", - "LabelAutomaticUpdatesTmdbHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til i TheMovieDB.org. Ekisterende bilder vil ikke bli erstattet.", "LabelFriendlyServerName": "Vennlig server navn:", - "LabelAutomaticUpdatesTvdbHelp": "Hvis aktivert vil nye bilder bli nedlastet automatisk n\u00e5r de blir lagt til i TheTVDB.com. Ekisterende bilder vil ikke bli erstattet.", - "OptionFolderSort": "Mapper", "LabelFriendlyServerNameHelp": "Dette navnet vil bli brukt for \u00e5 identifisere denne serveren. Hvis feltet er tomt, vil maskinens navn bli brukt.", - "LabelConfigureServer": "Konfigurer Emby", - "ExtractChapterImagesHelp": "Ved \u00e5 hente ut kapittelbilder kan klientene vise grafiske menyer for valg av sccene. Denne prosessen kan v\u00e6re treg, CPU-intensiv og krever flerfoldige gigabytes med plass. Prosessen kj\u00f8res n\u00e5r videoer scannes, og kan ogs\u00e5 kj\u00f8res om natten. Dette er konfigurerbart under Planlagte Aktiviteter. Det er ikke anbefalt \u00e5 kj\u00f8re dette mens serveren er i bruk til visning av media.", - "OptionBackdrop": "Bakgrunn", "LabelPreferredDisplayLanguage": "Foretrukket spr\u00e5k:", - "LabelMetadataDownloadLanguage": "Foretrukket nedlastingsspr\u00e5k:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Oversettelse av Emby er et p\u00e5g\u00e5ende prosjekt, og er enn\u00e5 ikke fullf\u00f8rt.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Antall dager av guide data som skal lastes ned", "LabelReadHowYouCanContribute": "Les mer om hvordan du kan bidra.", + "HeaderNewCollection": "Ny Samling", + "ButtonSubmit": "Send", + "ButtonCreate": "Opprett", + "LabelCustomCss": "Tilpass CSS:", + "LabelCustomCssHelp": "Bruk din egen CSS p\u00e5 web-grensesnittet.", + "LabelLocalHttpServerPortNumber": "Lokal HTTP port:", + "LabelLocalHttpServerPortNumberHelp": "TCP-portnummeret som Emby sin http server skal koble seg til.", + "LabelPublicHttpPort": "Offentlig HTTP port:", + "LabelPublicHttpPortHelp": "Den offentlige porten som kobles til den lokale porten.", + "LabelPublicHttpsPort": "Offentlig HTTPS port:", + "LabelPublicHttpsPortHelp": "Den offentlige porten som den lokale porten kobles til.", + "LabelEnableHttps": "Oppgi HTTPS som ekstern adresse", + "LabelEnableHttpsHelp": "Hvis denne er aktivert vil serveren oppgi en HTTPS URL som sin eksterne adresse. Dette kan \u00f8delegge for klienter som enda ikke st\u00f8tter HTTPS", + "LabelHttpsPort": "Lokal HTTPS port:", + "LabelHttpsPortHelp": "TCP-portnummeret som Emby sin https server skal koble seg til.", + "LabelWebSocketPortNumber": "Web socket portnummer:", + "LabelEnableAutomaticPortMap": "Aktiver automatisk portmapping", + "LabelEnableAutomaticPortMapHelp": "Fors\u00f8k automatisk mapping av den offentlige port til den lokale port via UPnP. Dette fungerer ikke med alle rutere.", + "LabelExternalDDNS": "Ekstern WAN-adresse:", + "LabelExternalDDNSHelp": "Hvis du har en dynamisk DNS skriver du det her. Emby apps vil bruke den n\u00e5r du kobler til eksternt. La st\u00e5 tom for automatisk gjenkjenning.", + "TabResume": "Forsette", + "TabWeather": "V\u00e6r", + "TitleAppSettings": "App-innstillinger", + "LabelMinResumePercentage": "Minimum fortsettelsesprosent:", + "LabelMaxResumePercentage": "Maksimum fortsettelsesprosent:", + "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 kan ikke fortsettes.", + "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": "Organisering av episoder", + "LabelSeries": "Serie:", + "LabelEndingEpisodeNumber": "Ending av episode nummer:", + "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for multi-episode filer", + "HeaderSupportTheTeam": "St\u00f8tt Emby 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 supportn\u00f8kkel", + "DonationNextStep": "N\u00e5r du er ferdig, kan du g\u00e5 tilbake og skriv inn din supportn\u00f8kkel, som du vil motta p\u00e5 e-post.", + "AutoOrganizeHelp": "Auto-organisere monitorerer dine nedlastingsmapper for nye filer og flytter dem til riktig mediakatalog.", + "AutoOrganizeTvHelp": "TV organisering vil kun legge til episoder til eksisterende serier. Den vil ikke lage nye serie-mapper.", + "OptionEnableEpisodeOrganization": "Aktiver organisering av ny episode", + "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", + "HeaderHelpImproveProject": "Hjelp med \u00e5 forbedre Emby", + "HeaderRunningTasks": "Kj\u00f8rende oppgaver", + "HeaderActiveDevices": "Aktive enheter", + "HeaderPendingInstallations": "Installeringer i k\u00f8", + "HeaderServerInformation": "Serverinformasjon", "ButtonRestartNow": "Restart N\u00e5", - "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.", - "ButtonOptions": "Alternativer", - "NotificationOptionApplicationUpdateInstalled": "Oppdatering installert", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Nedlastingsti for Kanal-innhold:", - "NotificationOptionPluginUpdateInstalled": "Oppdatert programtillegg installert", "ButtonShutdown": "Sl\u00e5 Av", - "LabelChannelDownloadPathHelp": "Spesifiser en tilpasset nedlastingsti hvis \u00f8nsket. La feltet ellers st\u00e5 tomt for \u00e5 bruke den interne program data mappen.", - "NotificationOptionPluginInstalled": "Programtillegg installert", "ButtonUpdateNow": "Oppdater N\u00e5", - "LabelChannelDownloadAge": "Slett innhold etter: (dager)", - "NotificationOptionPluginUninstalled": "Programtillegg er fjernet", + "TabHosting": "Hosting", "PleaseUpdateManually": "Vennligst sl\u00e5 av serveren og oppdater manuelt.", - "LabelChannelDownloadAgeHelp": "Nedlastet innhold eldre enn dette vil bli slettet. Det vil v\u00e6re avspillbart via internett streaming.", - "NotificationOptionTaskFailed": "Planlagt oppgave feilet", "NewServerVersionAvailable": "En ny versjon av Emby Server er tilgjengelig!", - "ChannelSettingsFormHelp": "Installer kanaler som eksempel Trailers og Vimeo i programtillegg katalogen.", - "NotificationOptionInstallationFailed": "Installasjon feilet", "ServerUpToDate": "Emby Server er oppdatert med seneste versjon", + "LabelComponentsUpdated": "F\u00f8lgende komponenter har blitt installert eller oppdatert:", + "MessagePleaseRestartServerToFinishUpdating": "Vennligst restart serveren for \u00e5 fullf\u00f8re installasjon av oppdateringer.", + "LabelDownMixAudioScale": "Lyd boost ved downmixing:", + "LabelDownMixAudioScaleHelp": "Boost lyd n\u00e5r downmixing. Set til 1 for \u00e5 bevare orginal volum verdi.", + "ButtonLinkKeys": "Overf\u00f8r n\u00f8kkel", + "LabelOldSupporterKey": "Gammel supportern\u00f8kkel", + "LabelNewSupporterKey": "Ny supportern\u00f8kkel", + "HeaderMultipleKeyLinking": "Overf\u00f8r til ny n\u00f8kkel", + "MultipleKeyLinkingHelp": "Bruk dette skjemaet hvis du har mottatt en ny supportn\u00f8kkel for \u00e5 overf\u00f8re gamle n\u00f8kkelregistreringer til din nye.", + "LabelCurrentEmailAddress": "Gjeldende epostadresse", + "LabelCurrentEmailAddressHelp": "Den aktuelle e-postadressen som den nye n\u00f8kkelen ble sendt.", + "HeaderForgotKey": "Glemt N\u00f8kkel", + "LabelEmailAddress": "Epostadresse", + "LabelSupporterEmailAddress": "Epostadressen som ble brukt for \u00e5 kj\u00f8pe n\u00f8kkelen.", + "ButtonRetrieveKey": "Motta N\u00f8kkel", + "LabelSupporterKey": "Supporter N\u00f8kkel (Lim inn fra mottatt epost)", + "LabelSupporterKeyHelp": "Skriv inn din st\u00f8ttespiller-n\u00f8kkelen, slik av du f\u00e5r tilgang til flere fordeler utviklet for Emby.", + "MessageInvalidKey": "Supportern\u00f8kkel mangler eller er feil.", + "ErrorMessageInvalidKey": "For \u00e5 benytte premium-innhold, m\u00e5 du ogs\u00e5 v\u00e6re en Emby Supporter. Vennligst donere og st\u00f8tte den videre utviklingen av kjerneproduktet. Takk.", + "HeaderDisplaySettings": "Visnings innstillinger", + "TabPlayTo": "Spill Til", + "LabelEnableDlnaServer": "Sl\u00e5 p\u00e5 Dlna server", + "LabelEnableDlnaServerHelp": "Lar UPnP-enheter p\u00e5 nettverket til \u00e5 bla gjennom og spille Emby innhold.", + "LabelEnableBlastAliveMessages": "Spreng levende meldinger", + "LabelEnableBlastAliveMessagesHelp": "Sl\u00e5 p\u00e5 hvis serveren ikke regelmessig blir oppdaget av andre UPnP-enheter p\u00e5 ditt nettverk.", + "LabelBlastMessageInterval": "Intervall mellom keepalive meldinger (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": "Serverinnstillinger", + "LabelWeatherDisplayLocation": "Omr\u00e5de for v\u00e6rvisning:", + "LabelWeatherDisplayLocationHelp": "US zip kode \/ By, Stat, Land \/ By, Land", + "LabelWeatherDisplayUnit": "V\u00e6r-visning C eller F:", + "OptionCelsius": "Celsius", + "OptionFahrenheit": "Fahrenheit", + "HeaderRequireManualLogin": "Krev manuell brukernavn oppf\u00f8ring for:", + "HeaderRequireManualLoginHelp": "N\u00e5r deaktiverte kan brukere vises en innloggingskjerm med et visuelt utvalg av brukere.", + "OptionOtherApps": "Andre applikasjoner", + "OptionMobileApps": "Mobile applikasjoner", + "HeaderNotificationList": "Klikk p\u00e5 en varsling for \u00e5 konfigurere dennes sending-alternativer.", + "NotificationOptionApplicationUpdateAvailable": "Oppdatering tilgjengelig", + "NotificationOptionApplicationUpdateInstalled": "Oppdatering installert", + "NotificationOptionPluginUpdateInstalled": "Oppdatert programtillegg installert", + "NotificationOptionPluginInstalled": "Programtillegg installert", + "NotificationOptionPluginUninstalled": "Programtillegg er fjernet", + "NotificationOptionVideoPlayback": "Videoavspilling startet", + "NotificationOptionAudioPlayback": "Lydavspilling startet", + "NotificationOptionGamePlayback": "Spill startet", + "NotificationOptionVideoPlaybackStopped": "Videoavspilling stoppet", + "NotificationOptionAudioPlaybackStopped": "Lydavspilling stoppet", + "NotificationOptionGamePlaybackStopped": "Spill stoppet", + "NotificationOptionTaskFailed": "Planlagt oppgave feilet", + "NotificationOptionInstallationFailed": "Installasjon feilet", + "NotificationOptionNewLibraryContent": "Nytt innhold er lagt til", + "NotificationOptionNewLibraryContentMultiple": "Nytt innhold lagt til (flere)", + "NotificationOptionCameraImageUploaded": "Bilde fra kamera lastet opp", + "NotificationOptionUserLockedOut": "Bruker er utestengt", + "HeaderSendNotificationHelp": "Som standard blir meldinger levert til dashbordet innboks. Bla i plugin-katalogen for installere andre varslingsalternativer.", + "NotificationOptionServerRestartRequired": "Server m\u00e5 startes p\u00e5 nytt", + "LabelNotificationEnabled": "Sl\u00e5 p\u00e5 denne varslingen", + "LabelMonitorUsers": "Monitorer aktivitet fra:", + "LabelSendNotificationToUsers": "Send varslingen til:", + "LabelUseNotificationServices": "Bruk f\u00f8lgende tjeneste:", "CategoryUser": "Bruker", "CategorySystem": "System", - "LabelComponentsUpdated": "F\u00f8lgende komponenter har blitt installert eller oppdatert:", + "CategoryApplication": "Applikasjon", + "CategoryPlugin": "Programtillegg", "LabelMessageTitle": "Meldingstittel:", - "ButtonNext": "Neste", - "MessagePleaseRestartServerToFinishUpdating": "Vennligst restart serveren for \u00e5 fullf\u00f8re installasjon av oppdateringer.", "LabelAvailableTokens": "Tilgjengelige tokens:", + "AdditionalNotificationServices": "Bla gjennom katalogen over programtillegg 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": "Skjermmeldinger", + "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", - "LabelSkipIfGraphicalSubsPresent": "Hopp om videoen inneholder allerede grafiske undertekster", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "LabelGroupMoviesIntoCollections": "Grupp\u00e9r filmer i samlinger", + "LabelGroupMoviesIntoCollectionsHelp": "Ved visning av filmlister vil filmer som tilh\u00f8rer en samling bli vist som ett gruppeelement.", + "NotificationOptionPluginError": "Programtillegg feilet", + "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 codecs.", - "LabelSkipIfAudioTrackPresent": "Hopp hvis standard lydsporet matcher nedlastingen spr\u00e5k", "LabelProfileContainersHelp": "Separert med komma. Dette feltet kan forbli tomt for \u00e5 gjelde alle kontainere.", - "LabelSkipIfAudioTrackPresentHelp": "Fjern merkingen for \u00e5 sikre at alle videoene har undertekster, uavhengig av lydspr\u00e5k.", "HeaderResponseProfile": "Responsprofil", "LabelType": "Type:", - "HeaderHelpImproveProject": "Hjelp med \u00e5 forbedre Emby", + "LabelPersonRole": "Rolle:", + "LabelPersonRoleHelp": "Rolle er vanligvis kun tilgjengelig for skuespillere.", "LabelProfileContainer": "Kontainer:", "LabelProfileVideoCodecs": "Video kodek:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Lyd kodek:", "LabelProfileCodecs": "Kodeker:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direkte Avspilling Profil", - "ButtonClose": "Lukk", - "TabView": "Se", - "TabSort": "Sorter", "HeaderTranscodingProfile": "Transcoding Profil", - "HeaderBecomeProjectSupporter": "Bli en Emby Supporter", - "OptionNone": "Ingen", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "Se", "HeaderCodecProfile": "Kodek Profil", - "HeaderReports": "Rapporter", - "LabelPageSize": "Element grense:", "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.", - "HeaderMetadataManager": "Metadata Behandler", - "LabelView": "Se:", - "ViewTypePlaylists": "Spillelister", - "HeaderPreferences": "Preferanser", "HeaderContainerProfile": "Kontainer Profil", - "MessageLoadingChannels": "Laster kanal innhold...", - "ButtonMarkRead": "Marker Som Lest", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Standard", - "OptionCommunityMostWatchedSort": "Mest Sett", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Videoavspilling stoppet", "OptionProfileAudio": "Lyd", - "HeaderMyViews": "Mitt Syn", "OptionProfileVideoAudio": "Video Lyd", - "NotificationOptionAudioPlaybackStopped": "Lydavspilling stoppet", - "ButtonVolumeUp": "Volum opp", - "OptionLatestTvRecordings": "Siste opptak", - "NotificationOptionGamePlaybackStopped": "Spill stoppet", - "ButtonVolumeDown": "Volum ned", - "ButtonMute": "Mute", "OptionProfilePhoto": "Bilde", "LabelUserLibrary": "Bruker bibliotek:", "LabelUserLibraryHelp": "Velg hvilket brukerbibliotek som skal vises til enheten. La det st\u00e5 tomt for standard innstillinger.", - "ButtonArrowUp": "Opp", "OptionPlainStorageFolders": "Vis alle mapper som rene lagringsmapper", - "LabelChapterName": "Kapittel {0}", - "NotificationOptionCameraImageUploaded": "Bilde fra kamera lastet opp", - "ButtonArrowDown": "Ned", "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\".", - "HeaderNewApiKey": "Ny Api N\u00f8kkel", - "ButtonArrowLeft": "Venstre", "OptionPlainVideoItems": "Vis alle videoer som ren video elementer", - "LabelAppName": "Applikasjonsnavn", - "ButtonArrowRight": "H\u00f8yre", - "LabelAppNameExample": "Eksempel: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Tilbake", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "St\u00f8ttede Media Typer:", - "ButtonPageUp": "Side Opp", "TabIdentification": "Identifisering", - "ButtonPageDown": "Side Ned", + "HeaderIdentification": "Identifisering", "TabDirectPlay": "Direkte Avspill", - "PageAbbreviation": "PG", "TabContainers": "Kontainere", - "ButtonHome": "Hjem", "TabCodecs": "Kodeker", - "LabelChannelDownloadSizeLimitHelpText": "Begrens st\u00f8rrelse for kanal nedlastings mappen.", - "ButtonSettings": "Innstillinger", "TabResponses": "Svar", - "ButtonTakeScreenshot": "Ta Skjermbilde", "HeaderProfileInformation": "Profil Informasjon", - "ButtonLetterUp": "Pil Opp", - "ButtonLetterDown": "Pil Ned", "LabelEmbedAlbumArtDidl": "Bygg inn albumbilder i Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Noen enheter foretrekker denne metoden for \u00e5 motta album art. Andre vil kunne feile \u00e5 avspille hvis dette alternativet er aktivert.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Brukernavn", - "TabNowPlaying": "Spilles Av", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigering", "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:", - "ButtonFullscreen": "Veksle fullskjerm", "LabelAlbumArtMaxHeightHelp": "Maks oppl\u00f8sning av album er eksonert via upnp:albumARtURI.", - "HeaderDisplaySettings": "Visnings innstillinger", - "ButtonAudioTracks": "Lydspor", "LabelIconMaxWidth": "Ikon maks bredde:", - "TabPlayTo": "Spill Til", - "HeaderFeatures": "Funksjoner", "LabelIconMaxWidthHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.", - "LabelEnableDlnaServer": "Sl\u00e5 p\u00e5 Dlna server", - "HeaderAdvanced": "Avansert", "LabelIconMaxHeight": "Ikon maks h\u00f8yde:", - "LabelEnableDlnaServerHelp": "Lar UPnP-enheter p\u00e5 nettverket til \u00e5 bla gjennom og spille Emby innhold.", "LabelIconMaxHeightHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.", - "LabelEnableBlastAliveMessages": "Spreng levende meldinger", "LabelIdentificationFieldHelp": "Ett case-insensitive substring eller regex uttrykk.", - "LabelEnableBlastAliveMessagesHelp": "Sl\u00e5 p\u00e5 hvis serveren ikke regelmessig blir oppdaget av andre UPnP-enheter p\u00e5 ditt nettverk.", - "CategoryApplication": "Applikasjon", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Intervall mellom keepalive meldinger (sekunder)", - "CategoryPlugin": "Programtillegg", "LabelMaxBitrate": "Maks bitrate:", - "LabelBlastMessageIntervalHelp": "Avgj\u00f8r tiden i sekunder mellom server levende meldinger.", - "NotificationOptionPluginError": "Programtillegg feilet", "LabelMaxBitrateHelp": "Spesifiser en maks bitrate i for begrensede b\u00e5ndbredde milj\u00f8er, eller hvis enheten p\u00e5legger sin egen begrensning.", - "LabelDefaultUser": "Standard bruker:", + "LabelMaxStreamingBitrate": "Maks streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Spesifiser en maks bitrate n\u00e5r streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Serverinformasjon", - "LabelDefaultUserHelp": "Avgj\u00f8r hvilket bruker bibliotek som skal bli vist p\u00e5 koblede enheter. Dette kan bli overskrevet for hver enhet som bruker profiler.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Hvis aktivert vil disse foresp\u00f8rslene bli honorert men ignorert i byte rekkevidde headeren.", "LabelFriendlyName": "Vennlig navn", "LabelManufacturer": "Produsent", - "ViewTypeMovies": "Filmer", "LabelManufacturerUrl": "Produsent url", - "TabNextUp": "Neste", - "ViewTypeTvShows": "TV", "LabelModelName": "Modell navn", - "ViewTypeGames": "Spill", "LabelModelNumber": "Modell nummer", - "ViewTypeMusic": "Musikk", "LabelModelDescription": "Model beskrivelse", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Samlinger", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Visnings Innstillinger", "LabelSerialNumber": "Serienummer", "LabelDeviceDescription": "Enhet beskrivelse", - "LabelSelectFolderGroups": "Automatisk gruppering av innhold fra f\u00f8lgende mapper til oversikter som filmer, musikk og TV:", "HeaderIdentificationCriteriaHelp": "Skriv minst ett identifiserings kriterie", - "LabelSelectFolderGroupsHelp": "Mapper som ikke er valgt vil bli vist for seg selv i deres egen visning.", "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.", - "ViewTypeLiveTvNowPlaying": "Sendes n\u00e5", "HeaderResponseProfileHelp": "Respons proiler tilbyr en m\u00e5t \u00e5 tilpasse informasjon som er sent til enheten n\u00e5r den spiller en viss type media.", - "ViewTypeMusicFavorites": "Favoritter", - "ViewTypeLatestGames": "Siste spill", - "ViewTypeMusicSongs": "Sanger", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorittalbumer", - "ViewTypeRecentlyPlayedGames": "Nylig spilt", "LabelXDlnaCapHelp": "Bestemmer innholdet i X_DLNACAP element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.", - "ViewTypeMusicFavoriteArtists": "Favorittartister", - "ViewTypeGameFavorites": "Favoritter", - "HeaderViewOrder": "Visnings rekkef\u00f8lge", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorittsanger", - "HeaderHttpHeaders": "Http Headere", - "ViewTypeGameSystems": "Spillsystemer", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Bestemmer innholdet i X_DLNADOC element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.", - "HeaderIdentificationHeader": "Identifiseringsheader", - "ViewTypeGameGenres": "Sjangere", - "MessageNoChapterProviders": "Installer en kapittel tilbyder som eksempelvis ChapterDb for \u00e5 aktivere kapittel muligheter.", "LabelSonyAggregationFlags": "Sony aggregerigns flagg", - "LabelValue": "Verdi:", - "ViewTypeTvResume": "Fortsette", - "TabChapters": "Kapitler", "LabelSonyAggregationFlagsHelp": "Bestemmer innholdet i aggregationFlags element i urn: skjemaer-sonycom: av navnerommet.", - "ViewTypeMusicGenres": "Sjangere", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Neste", + "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 Emby skanner videofilene dine, kan den s\u00f8ke etter manglende undertekster, og laste dem ned ved hjelp av en undertekst-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": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "TabSubtitles": "Undertekster", + "TabChapters": "Kapitler", "HeaderDownloadChaptersFor": "Last ned kapittelnavn for:", + "LabelOpenSubtitlesUsername": "Open Subtitles brukernavn:", + "LabelOpenSubtitlesPassword": "Open Subtitles passord:", + "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "Mer", + "MessageNoSubtitleSearchResultsFound": "Ingen s\u00f8k funnet.", + "TabDisplay": "Skjerm", + "TabLanguages": "Spr\u00e5k", + "TabAppSettings": "App-innstillinger", + "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", + "HeaderOptions": "Alternativer", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Hjemme side seksjon 1:", + "LabelHomePageSection2": "Hjemme side seksjon 2:", + "LabelHomePageSection3": "Hjemme side seksjon 3:", + "LabelHomePageSection4": "Hjemme side seksjon 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Fortsette", + "OptionLatestMedia": "Siste media", + "OptionLatestChannelMedia": "Siste kanal elementer", + "HeaderLatestChannelItems": "Siste Kanal Elementer", + "OptionNone": "Ingen", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Rapporter", + "HeaderMetadataManager": "Metadata Behandler", + "HeaderSettings": "Innstillinger", + "MessageLoadingChannels": "Laster kanal innhold...", + "MessageLoadingContent": "Laster innhold...", + "ButtonMarkRead": "Marker Som Lest", + "OptionDefaultSort": "Standard", + "OptionCommunityMostWatchedSort": "Mest Sett", + "TabNextUp": "Neste", + "PlaceholderUsername": "Brukernavn", + "HeaderBecomeProjectSupporter": "Bli en Emby Supporter", + "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": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", + "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", + "ButtonDismiss": "Avvis", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Alternativer", + "ViewTypePlaylists": "Spillelister", + "ViewTypeMovies": "Filmer", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Spill", + "ViewTypeMusic": "Musikk", + "ViewTypeMusicGenres": "Sjangere", "ViewTypeMusicArtists": "Artist", - "OptionEquals": "Lik", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Kontainer:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video kodek:", - "OptionSubstring": "SubString", + "ViewTypeTvShowSeries": "Serier", "ViewTypeTvGenres": "Sjangere", - "LabelTranscodingVideoProfile": "Video profil:", + "ViewTypeTvFavoriteSeries": "Favoritt serier", + "ViewTypeTvFavoriteEpisodes": "Favoritt episoder", + "ViewTypeMovieResume": "Fortsette", + "ViewTypeMovieLatest": "Siste", + "ViewTypeMovieMovies": "Filmer", + "ViewTypeMovieCollections": "Samlinger", + "ViewTypeMovieFavorites": "Favoritter", + "ViewTypeMovieGenres": "Sjangere", + "ViewTypeMusicLatest": "Siste", + "ViewTypeMusicPlaylists": "Spillelister", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", + "LabelKodiMetadataUser": "Synk bruker sett data til nfo'er for:", + "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", + "LabelKodiMetadataDateFormat": "Utgivelsesdato format:", + "LabelKodiMetadataDateFormatHelp": "Alle datoer inenfor nfo'er vil bli lest og skrevet til med bruk av dette formatet.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "LabelKodiMetadataEnableExtraThumbs": "kopier extrafanart inn til extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Ved nedlasting av bilder kan de bli lagret inn til b\u00e5de extrafanart og extrathumbs for maksimum Kodi skin kompabilitet.", "TabServices": "Tjenester", - "LabelTranscodingAudioCodec": "lyd kodek:", - "ViewTypeMovieResume": "Fortsette", "TabLogs": "Logger", - "OptionEnableM2tsMode": "Sl\u00e5 p\u00e5 M2ts modus", - "ViewTypeMovieLatest": "Siste", "HeaderServerLogFiles": "Server log filer:", - "OptionEnableM2tsModeHelp": "Sl\u00e5 p\u00e5 m2ts modus for enkoding til mpegts.", - "ViewTypeMovieMovies": "Filmer", "TabBranding": "Merke", - "OptionEstimateContentLength": "Estimer innholdslengde n\u00e5r transcoding.", - "HeaderPassword": "Passord", - "ViewTypeMovieCollections": "Samlinger", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Rapporter at serveren st\u00f8tter byte s\u00f8king n\u00e5r transcoding.", - "HeaderLocalAccess": "Lokal Tilkobling", - "ViewTypeMovieFavorites": "Favoritter", "LabelLoginDisclaimer": "Login ansvarsfraskrivelse:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette kreves for noen enheter som ikke tidss\u00f8ker veldig godt.", - "ViewTypeMovieGenres": "Sjangere", "LabelLoginDisclaimerHelp": "Dette vil bli vist p\u00e5 bunnen av login siden.", - "ViewTypeMusicLatest": "Siste", "LabelAutomaticallyDonate": "Doner denne summen automatisk hver m\u00e5ned", - "ViewTypeMusicAlbums": "Albumer", "LabelAutomaticallyDonateHelp": "Du kan kansellere n\u00e5r som helst via din PayPal konto.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album artister", - "LabelDownMixAudioScale": "Lyd boost ved downmixing:", - "ButtonSync": "Synk", - "LabelPlayDefaultAudioTrack": "Spill av lydsporet uavhengig av spr\u00e5k", - "LabelDownMixAudioScaleHelp": "Boost lyd n\u00e5r downmixing. Set til 1 for \u00e5 bevare orginal volum verdi.", - "LabelHomePageSection4": "Hjemme side seksjon 4:", - "HeaderChapters": "Kapitler", - "LabelSubtitlePlaybackMode": "Undertekst modus:", - "HeaderDownloadPeopleMetadataForHelp": "Aktivering av flere opsjoner vil gi mer info p\u00e5 skjermen, men resultere i d\u00e5rligere ytelse ved bibliotek skanninger.", - "ButtonLinkKeys": "Overf\u00f8r n\u00f8kkel", - "OptionLatestChannelMedia": "Siste kanal elementer", - "HeaderResumeSettings": "Fortsett Innstillinger", - "ViewTypeFolders": "Mapper", - "LabelOldSupporterKey": "Gammel supportern\u00f8kkel", - "HeaderLatestChannelItems": "Siste Kanal Elementer", - "LabelDisplayFoldersView": "Vis alle mapper som rene lagringsmapper", - "LabelNewSupporterKey": "Ny supportern\u00f8kkel", - "TitleRemoteControl": "Ekstern Kontroll", - "ViewTypeLiveTvRecordingGroups": "Opptak", - "HeaderMultipleKeyLinking": "Overf\u00f8r til ny n\u00f8kkel", - "ViewTypeLiveTvChannels": "Kanaler", - "MultipleKeyLinkingHelp": "Bruk dette skjemaet hvis du har mottatt en ny supportn\u00f8kkel for \u00e5 overf\u00f8re gamle n\u00f8kkelregistreringer til din nye.", - "LabelCurrentEmailAddress": "Gjeldende epostadresse", - "LabelCurrentEmailAddressHelp": "Den aktuelle e-postadressen som den nye n\u00f8kkelen ble sendt.", - "HeaderForgotKey": "Glemt N\u00f8kkel", - "TabControls": "Kontrollerer", - "LabelEmailAddress": "Epostadresse", - "LabelSupporterEmailAddress": "Epostadressen som ble brukt for \u00e5 kj\u00f8pe n\u00f8kkelen.", - "ButtonRetrieveKey": "Motta N\u00f8kkel", - "LabelSupporterKey": "Supporter N\u00f8kkel (Lim inn fra mottatt epost)", - "LabelSupporterKeyHelp": "Skriv inn din st\u00f8ttespiller-n\u00f8kkelen, slik av du f\u00e5r tilgang til flere fordeler utviklet for Emby.", - "MessageInvalidKey": "Supportern\u00f8kkel mangler eller er feil.", - "ErrorMessageInvalidKey": "For \u00e5 benytte premium-innhold, m\u00e5 du ogs\u00e5 v\u00e6re en Emby Supporter. Vennligst donere og st\u00f8tte den videre utviklingen av kjerneproduktet. Takk.", - "HeaderEpisodes": "Episoder:", - "UserDownloadingItemWithValues": "{0} laster ned {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Hjemmeside", - "HeaderSettingsForThisDevice": "Innstillinger for denne enheten", - "OptionMyMedia": "My media", - "OptionAllUsers": "Alle brukere:", - "ButtonDismiss": "Avvis", - "OptionAdminUsers": "Administratorer", - "OptionDisplayAdultContent": "Vis Voksen materiale", - "HeaderSearchForSubtitles": "S\u00f8k etter undertekster", - "OptionCustomUsers": "Tilpasset", - "ButtonMore": "Mer", - "MessageNoSubtitleSearchResultsFound": "Ingen s\u00f8k funnet.", + "OptionList": "Liste", + "TabDashboard": "Dashbord", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logger:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Bilder etter navn:", + "LabelTranscodingTemporaryFiles": "Transcoder midlertidige filer:", "HeaderLatestMusic": "Siste Musikk", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Skjerm", "HeaderBranding": "Merke", - "TabLanguages": "Spr\u00e5k", "HeaderApiKeys": "Api N\u00f8kkler", - "LabelGroupChannelsIntoViews": "Via f\u00f8lgende kanaler direkte gjennom Mitt Syn:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "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.", - "LabelEnableThemeSongs": "Sl\u00e5 p\u00e5 tema sanger", "HeaderApiKey": "API-n\u00f8kkel", - "HeaderSubtitleDownloadingHelp": "N\u00e5r Emby skanner videofilene dine, kan den s\u00f8ke etter manglende undertekster, og laste dem ned ved hjelp av en undertekst-leverand\u00f8r som OpenSubtitles.org.", - "LabelEnableBackdrops": "Sl\u00e5 p\u00e5 backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Last ned undertekster for:", - "LabelEnableThemeSongsHelp": "Hvis p\u00e5sl\u00e5tt vil tema sanger bli avspilt i bakgrunnen mens man blar igjennom biblioteket.", "HeaderDevice": "Enhet", - "LabelEnableBackdropsHelp": "Hvis p\u00e5sl\u00e5tt vil backdrops bli vist i bakgrunnen p\u00e5 noen sider mens man blar igjennom biblioteket.", "HeaderUser": "Bruker", "HeaderDateIssued": "Dato utstedt", - "TabSubtitles": "Undertekster", - "LabelOpenSubtitlesUsername": "Open Subtitles brukernavn:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles passord:", - "OptionYes": "Ja", - "OptionNo": "Nei", - "LabelDownloadLanguages": "Last ned spr\u00e5k:", - "LabelHomePageSection1": "Hjemme side seksjon 1:", - "ButtonRegister": "Registrer", - "LabelHomePageSection2": "Hjemme side seksjon 2:", - "LabelHomePageSection3": "Hjemme side seksjon 3:", - "OptionResumablemedia": "Fortsette", - "ViewTypeTvShowSeries": "Serier", - "OptionLatestMedia": "Siste media", - "ViewTypeTvFavoriteSeries": "Favoritt serier", - "ViewTypeTvFavoriteEpisodes": "Favoritt episoder", - "LabelEpisodeNamePlain": "Episodenavn", - "LabelSeriesNamePlain": "Serienavn", - "LabelSeasonNumberPlain": "Sesong nummer", - "LabelEpisodeNumberPlain": "Episode nummer", - "OptionLibraryFolders": "Media Mapper", - "LabelEndingEpisodeNumberPlain": "Siste episode nummer", + "LabelChapterName": "Kapittel {0}", + "HeaderNewApiKey": "Ny Api N\u00f8kkel", + "LabelAppName": "Applikasjonsnavn", + "LabelAppNameExample": "Eksempel: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "HeaderHttpHeaders": "Http Headere", + "HeaderIdentificationHeader": "Identifiseringsheader", + "LabelValue": "Verdi:", + "LabelMatchType": "Match type:", + "OptionEquals": "Lik", + "OptionRegex": "Regex", + "OptionSubstring": "SubString", + "TabView": "Se", + "TabSort": "Sorter", + "TabFilter": "Filter", + "ButtonView": "Se", + "LabelPageSize": "Element grense:", + "LabelPath": "Sti:", + "LabelView": "Se:", + "TabUsers": "Brukere", + "LabelSortName": "Sorterings navn:", + "LabelDateAdded": "Dato lagt til:", + "HeaderFeatures": "Funksjoner", + "HeaderAdvanced": "Avansert", + "ButtonSync": "Synk", + "TabScheduledTasks": "Planlagte Oppgaver", + "HeaderChapters": "Kapitler", + "HeaderResumeSettings": "Fortsett Innstillinger", + "TabSync": "Synk", + "TitleUsers": "Brukere", + "LabelProtocol": "Protokoll:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Kontekst", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Synk", + "ButtonAddToPlaylist": "Legg til spilleliste", + "TabPlaylists": "Spliielister", + "ButtonClose": "Lukk", "LabelAllLanguages": "Alle spr\u00e5k", "HeaderBrowseOnlineImages": "Bla Igjennom Bilder Online", "LabelSource": "Kilde:", @@ -939,509 +1067,388 @@ "LabelImage": "Bilde:", "ButtonBrowseImages": "Bla Igjennom Bilder", "HeaderImages": "Bilder", - "LabelReleaseDate": "Utgivelsesdato:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Alternativer", - "LabelWeatherDisplayLocation": "Omr\u00e5de for v\u00e6rvisning:", - "TabUsers": "Brukere", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "Slutt dato:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip kode \/ By, Stat, Land \/ By, Land", - "LabelYear": "\u00c5r:", "HeaderAddUpdateImage": "Legg Til\/Oppdater Bilde", - "LabelWeatherDisplayUnit": "V\u00e6r-visning C eller F:", "LabelJpgPngOnly": "JPG\/PNG kun", - "OptionCelsius": "Celsius", - "TabAppSettings": "App-innstillinger", "LabelImageType": "Bilde type:", - "HeaderActivity": "Aktivitet", - "LabelChannelDownloadSizeLimit": "Nedlastings grense (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Prim\u00e6re", - "ScheduledTaskStartedWithName": "{0} startet", - "MessageLoadingContent": "Laster innhold...", - "HeaderRequireManualLogin": "Krev manuell brukernavn oppf\u00f8ring for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} ble avbrutt", - "NotificationOptionUserLockedOut": "Bruker er utestengt", - "HeaderRequireManualLoginHelp": "N\u00e5r deaktiverte kan brukere vises en innloggingskjerm med et visuelt utvalg av brukere.", "OptionBox": "Boks", - "ScheduledTaskCompletedWithName": "{0} fullf\u00f8rt", - "OptionOtherApps": "Andre applikasjoner", - "TabScheduledTasks": "Planlagte Oppgaver", "OptionBoxRear": "Boks bak", - "ScheduledTaskFailed": "Planlagte oppgaver utf\u00f8rt", - "OptionMobileApps": "Mobile applikasjoner", "OptionDisc": "Disk", - "PluginInstalledWithName": "{0} ble installert", "OptionIcon": "Ikon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} ble oppdatert", "OptionMenu": "Meny", - "PluginUninstalledWithName": "{0} ble avinstallert", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scener", - "ScheduledTaskFailedWithName": "{0} feilet", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "L\u00e5st", - "ButtonSubtitles": "Undertekster", - "ItemAddedWithName": "{0} ble lagt til biblioteket", "OptionUnidentified": "uidentifisert", - "ItemRemovedWithName": "{0} ble fjernet fra biblioteket", "OptionMissingParentalRating": "Mangler foreldresensur", - "HeaderCollections": "Samlinger", - "DeviceOnlineWithName": "{0} er tilkoblet", "OptionStub": "stump", + "HeaderEpisodes": "Episoder:", + "OptionSeason0": "Sesong 0", + "LabelReport": "Rapport:", + "OptionReportSongs": "Sanger:", + "OptionReportSeries": "Serier", + "OptionReportSeasons": "Sesonger", + "OptionReportTrailers": "Trailere", + "OptionReportMusicVideos": "Musikkvideoer", + "OptionReportMovies": "Filmer", + "OptionReportHomeVideos": "Hjemme videoer", + "OptionReportGames": "Spill", + "OptionReportEpisodes": "Episoder", + "OptionReportCollections": "Samlinger", + "OptionReportBooks": "B\u00f8ker", + "OptionReportArtists": "Artisert", + "OptionReportAlbums": "Albumer", + "OptionReportAdultVideos": "Voksen videoer", + "HeaderActivity": "Aktivitet", + "ScheduledTaskStartedWithName": "{0} startet", + "ScheduledTaskCancelledWithName": "{0} ble avbrutt", + "ScheduledTaskCompletedWithName": "{0} fullf\u00f8rt", + "ScheduledTaskFailed": "Planlagte oppgaver utf\u00f8rt", + "PluginInstalledWithName": "{0} ble installert", + "PluginUpdatedWithName": "{0} ble oppdatert", + "PluginUninstalledWithName": "{0} ble avinstallert", + "ScheduledTaskFailedWithName": "{0} feilet", + "ItemAddedWithName": "{0} ble lagt til biblioteket", + "ItemRemovedWithName": "{0} ble fjernet fra biblioteket", + "DeviceOnlineWithName": "{0} er tilkoblet", "UserOnlineFromDevice": "{0} er online fra {1}", - "ButtonStop": "Stopp", "DeviceOfflineWithName": "{0} har koblet fra", - "OptionList": "Liste", - "OptionSeason0": "Sesong 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} har koblet fra {1}", - "TabDashboard": "Dashbord", - "LabelReport": "Rapport:", "SubtitlesDownloadedForItem": "Undertekster lastet ned for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Sanger:", "SubtitleDownloadFailureForItem": "nedlasting av undertekster feilet for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Serier", "LabelRunningTimeValue": "Spille tide: {0}", - "LabelLogs": "Logger:", - "OptionReportSeasons": "Sesonger", "LabelIpAddressValue": "Ip adresse: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailere", - "ViewTypeMusicPlaylists": "Spillelister", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "Bruker konfigurasjon har blitt oppdatert for {0}", - "NotificationOptionNewLibraryContentMultiple": "Nytt innhold lagt til (flere)", - "LabelImagesByName": "Bilder etter navn:", - "OptionReportMusicVideos": "Musikkvideoer", "UserCreatedWithName": "Bruker {0} har blitt opprettet", - "HeaderSendMessage": "Send Melding", - "LabelTranscodingTemporaryFiles": "Transcoder midlertidige filer:", - "OptionReportMovies": "Filmer", "UserPasswordChangedWithName": "Passord har blitt endret for bruker {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Hjemme videoer", "UserDeletedWithName": "Bruker {0} har blitt slettet", - "LabelMessageText": "Meldingstekst:", - "OptionReportGames": "Spill", "MessageServerConfigurationUpdated": "Server konfigurasjon har blitt oppdatert", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episoder", - "ButtonPreviousTrack": "Forrige Spor", "MessageNamedServerConfigurationUpdatedWithValue": "Server konfigurasjon seksjon {0} har blitt oppdatert", - "LabelKodiMetadataUser": "Synk bruker sett data til nfo'er for:", - "OptionReportCollections": "Samlinger", - "ButtonNextTrack": "Neste Spor", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby server har blitt oppdatert", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "B\u00f8ker", - "HeaderServerSettings": "Serverinnstillinger", "AuthenticationSucceededWithUserName": "{0} autentisert med suksess", - "LabelKodiMetadataDateFormat": "Utgivelsesdato format:", - "OptionReportArtists": "Artisert", "FailedLoginAttemptWithUserName": "P\u00e5loggingsfors\u00f8k feilet fra {0}", - "LabelKodiMetadataDateFormatHelp": "Alle datoer inenfor nfo'er vil bli lest og skrevet til med bruk av dette formatet.", - "ButtonAddToPlaylist": "Legg til spilleliste", - "OptionReportAlbums": "Albumer", + "UserDownloadingItemWithValues": "{0} laster ned {1}", "UserStartedPlayingItemWithValues": "{0} har startet avspilling av {1}", - "LabelKodiMetadataSaveImagePaths": "Lagre bilde stier inne i nfo filer", - "LabelDisplayCollectionsView": "Vis en samling for \u00e5 vise film samlinger", - "AdditionalNotificationServices": "Bla gjennom katalogen over programtillegg for \u00e5 installere valgfrie varslingstjenester.", - "OptionReportAdultVideos": "Voksen videoer", "UserStoppedPlayingItemWithValues": "{0} har stoppet avspilling av {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Dette anbefales hvis du har bilde filnavn som ikke f\u00f8lger Kodi retningslinjer.", "AppDeviceValues": "App: {0} , Device: {1}", - "LabelMaxStreamingBitrate": "Maks streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Aktiver sti erstatter", - "LabelProtocolInfo": "Protokoll info:", "ProviderValue": "Tilbyder: {0}", + "LabelChannelDownloadSizeLimit": "Nedlastings grense (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Begrens st\u00f8rrelse for kanal nedlastings mappen.", + "HeaderRecentActivity": "Siste Aktivitet", + "HeaderPeople": "Personer", + "HeaderDownloadPeopleMetadataFor": "Last ned biografi og bilder for:", + "OptionComposers": "Komponister:", + "OptionOthers": "Andre", + "HeaderDownloadPeopleMetadataForHelp": "Aktivering av flere opsjoner vil gi mer info p\u00e5 skjermen, men resultere i d\u00e5rligere ytelse ved bibliotek skanninger.", + "ViewTypeFolders": "Mapper", + "LabelDisplayFoldersView": "Vis alle mapper som rene lagringsmapper", + "ViewTypeLiveTvRecordingGroups": "Opptak", + "ViewTypeLiveTvChannels": "Kanaler", "LabelEasyPinCode": "Enkel PIN-kode:", - "LabelMaxStreamingBitrateHelp": "Spesifiser en maks bitrate n\u00e5r streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverer sti erstatning av bilde stier ved hjelp av serverens sti erstatter innstillinger.", - "LabelProtocolInfoHelp": "Verdien som blir brukt for \u00e5 gi respons til GetProtocolInfo foresp\u00f8rsler fra enheten.", - "LabelMaxStaticBitrate": "Maks synk bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Vis sti erstatter", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Spesifiser en maks bitrate ved synkronisering av innhold i h\u00f8y kvalitet.", - "LabelKodiMetadataEnableExtraThumbs": "kopier extrafanart inn til extrathumbs", - "MessageNoPlaylistItemsAvailable": "Denne spillelisten er forel\u00f8pig tom", - "TabSync": "Synk", - "LabelProtocol": "Protokoll:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Ved nedlasting av bilder kan de bli lagret inn til b\u00e5de extrafanart og extrathumbs for maksimum Kodi skin kompabilitet.", - "TabPlaylists": "Spliielister", - "LabelPersonRole": "Rolle:", "LabelInNetworkSignInWithEasyPassword": "Tillat innlogging med PIN-kode via det lokale nettverket.", - "TitleUsers": "Brukere", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Rolle er vanligvis kun tilgjengelig for skuespillere.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Sti:", - "HeaderIdentification": "Identifisering", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Kontekst", - "LabelSortName": "Sorterings navn:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Dato lagt til:", + "HeaderPassword": "Passord", + "HeaderLocalAccess": "Lokal Tilkobling", + "HeaderViewOrder": "Visnings rekkef\u00f8lge", "ButtonResetEasyPassword": "Tilbakestill PIN-kode", - "OptionContextStatic": "Synk", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata oppfrisknings modus:", - "ViewTypeChannels": "Kanaler", "LabelImageRefreshMode": "Bilde oppfrisknings modus:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "Som standard blir meldinger levert til dashbordet innboks. Bla i plugin-katalogen for installere andre varslingsalternativer.", "OptionDownloadMissingImages": "Last ned manglende bilder", "OptionReplaceExistingImages": "Bytt ut eksisterende bilder", "OptionRefreshAllData": "Oppfrisk alle data", "OptionAddMissingDataOnly": "Legg til kun maglende data", "OptionLocalRefreshOnly": "Kun lokal oppfrsikining", - "LabelGroupMoviesIntoCollections": "Grupp\u00e9r filmer i samlinger", "HeaderRefreshMetadata": "Oppfrisk Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "Ved visning av filmlister vil filmer som tilh\u00f8rer en samling bli vist som ett gruppeelement.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identifiser Element", "HeaderIdentifyItemHelp": "Oppgi ett eller flere s\u00f8ke kriterier. Fjern kriterie for \u00e5 \u00f8ke s\u00f8ke resultater.", - "HeaderLatestMedia": "Siste Media", + "HeaderConfirmDeletion": "Bekreft Kansellering", "LabelFollowingFileWillBeDeleted": "F\u00f8lgende fil vil bli slettet:", "LabelIfYouWishToContinueWithDeletion": "Hvis du \u00f8nsker \u00e5 fortsette, venligst bekreft med verdien av:", - "OptionSpecialFeatures": "Spesielle Funksjoner", "ButtonIdentify": "Identifiser", "LabelAlbumArtist": "Album Artist", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Fellesskap anmeldelse:", "LabelVoteCount": "Stemme tall:", - "ButtonSearch": "S\u00f8k", "LabelMetascore": "Metascore:", "LabelCriticRating": "Kritiker anmeldelse:", "LabelCriticRatingSummary": "Kritiker anmeldelse sammendrag:", "LabelAwardSummary": "Pris sammendrag:", - "LabelSeasonZeroFolderName": "Sesong null mappe navn:", "LabelWebsite": "Nettsted:", - "HeaderEpisodeFilePattern": "Episode fil m\u00f8nster", "LabelTagline": "Slagord:", - "LabelEpisodePattern": "Episode m\u00f8nster", "LabelOverview": "Oversikt:", - "LabelMultiEpisodePattern": "Multi-Episode m\u00f8nster:", "LabelShortOverview": "Kort oversikt:", - "HeaderSupportedPatterns": "St\u00f8ttede m\u00f8nster", - "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.", - "LabelMusicStaticBitrate": "Musikk synk bitrate:", + "LabelReleaseDate": "Utgivelsesdato:", + "LabelYear": "\u00c5r:", "LabelPlaceOfBirth": "F\u00f8dested:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Spesifiser en maks bitrate for musikk syncking", + "LabelEndDate": "Slutt dato:", "LabelAirDate": "Sendings dager:", - "HeaderPattern": "M\u00f8nster", - "LabelMusicStreamingTranscodingBitrate": "Musikk transkoding bitrate:", "LabelAirTime:": "Sendings tid:", - "HeaderNotificationList": "Klikk p\u00e5 en varsling for \u00e5 konfigurere dennes sending-alternativer.", - "HeaderResult": "Resultat", - "LabelMusicStreamingTranscodingBitrateHelp": "Spesifiser en maks bitrate for streaming musikk", "LabelRuntimeMinutes": "Spilletid (minutter):", - "LabelNotificationEnabled": "Sl\u00e5 p\u00e5 denne varslingen", - "LabelDeleteEmptyFolders": "Slett tomme mapper etter organisering", - "HeaderRecentActivity": "Siste Aktivitet", "LabelParentalRating": "Foreldresensur:", - "LabelDeleteEmptyFoldersHelp": "Aktiver denne for \u00e5 holde nedlastings-katalogen ren.", - "ButtonOsd": "Skjermmeldinger", - "HeaderPeople": "Personer", "LabelCustomRating": "Kunde anmeldelse:", - "LabelDeleteLeftOverFiles": "Slett gjenv\u00e6rende filer etter f\u00f8lgende utvidelser:", - "MessageNoAvailablePlugins": "Ingen tilgjengelige programtillegg.", - "HeaderDownloadPeopleMetadataFor": "Last ned biografi og bilder for:", "LabelBudget": "Budsjett", - "NotificationOptionVideoPlayback": "Videoavspilling startet", - "LabelDeleteLeftOverFilesHelp": "Seprarer med ;. For eksempel: .nfk;.txt", - "LabelDisplayPluginsFor": "Vis plugins for:", - "OptionComposers": "Komponister:", "LabelRevenue": "Inntjening ($):", - "NotificationOptionAudioPlayback": "Lydavspilling startet", - "OptionOverwriteExistingEpisodes": "Skriv over eksisterende episoder", - "OptionOthers": "Andre", "LabelOriginalAspectRatio": "Originalt sideforhold:", - "NotificationOptionGamePlayback": "Spill startet", - "LabelTransferMethod": "overf\u00f8ringsmetoder", "LabelPlayers": "Spillere:", - "OptionCopy": "Kopier", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "Nytt innhold er lagt til", - "OptionMove": "Flytt", "HeaderAlternateEpisodeNumbers": "Alternativ Episode nummerering", - "NotificationOptionServerRestartRequired": "Server m\u00e5 startes p\u00e5 nytt", - "LabelTransferMethodHelp": "Kopier eller flytt filer fra watch mappen", "HeaderSpecialEpisodeInfo": "Spesial Episode info", - "LabelMonitorUsers": "Monitorer aktivitet fra:", - "HeaderLatestNews": "Siste nyheter", - "ValueSeriesNamePeriod": "Serier.navn", "HeaderExternalIds": "Ekstern Id'er:", - "LabelSendNotificationToUsers": "Send varslingen til:", - "ValueSeriesNameUnderscore": "Serie_navn", - "TitleChannels": "Kanaler", - "HeaderRunningTasks": "Kj\u00f8rende oppgaver", - "HeaderConfirmDeletion": "Bekreft Kansellering", - "ValueEpisodeNamePeriod": "Episode.navn", - "LabelChannelStreamQuality": "Foretrukket internet streaming kvalitet.", - "HeaderActiveDevices": "Aktive enheter", - "ValueEpisodeNameUnderscore": "Episode_navn", - "LabelChannelStreamQualityHelp": "P\u00e5 en linje med lav b\u00e5ndbredde, vil begrensing av kvalitet hjelpe med \u00e5 gi en mer behagelig streaming opplevelse.", - "HeaderPendingInstallations": "Installeringer i k\u00f8", - "HeaderTypeText": "Skriv Tekst", - "OptionBestAvailableStreamQuality": "Beste tilgjengelig", - "LabelUseNotificationServices": "Bruk f\u00f8lgende tjeneste:", - "LabelTypeText": "Tekst", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Sl\u00e5 p\u00e5 kanal innhold nedlasting for:", - "NotificationOptionApplicationUpdateAvailable": "Oppdatering tilgjengelig", + "LabelDvdSeasonNumber": "Dvd sesong nummer:", + "LabelDvdEpisodeNumber": "Dvd episode nummer:", + "LabelAbsoluteEpisodeNumber": "absolutt episode nummer:", + "LabelAirsBeforeSeason": "Send f\u00f8r sesong:", + "LabelAirsAfterSeason": "Sendt etter sesong:", "LabelAirsBeforeEpisode": "Sendt f\u00f8r episode:", "LabelTreatImageAs": "Behandle bilde som:", - "ButtonReset": "Resett", "LabelDisplayOrder": "Visningsrekkef\u00f8lge:", "LabelDisplaySpecialsWithinSeasons": "Vis speialiteter innfor sensongen de ble sendt i", - "HeaderAddTag": "Legg til tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Land", "HeaderGenres": "Sjanger", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plott n\u00f8kkelord", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studioer", "HeaderTags": "Tagger", "HeaderMetadataSettings": "Metadata innstilinger", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "L\u00e5s dette elementet for \u00e5 hindre fremtidige endringer", - "LabelExternalPlayers": "Eksterne avspillere:", "MessageLeaveEmptyToInherit": "La v\u00e6re blank for \u00e5 arve innstillinger fra et foreldre element, eller den globale standard verdien.", - "LabelExternalPlayersHelp": "Vis knapper for \u00e5 spille av innhold i eksterne avspillere. Dette er bare tilgjengelig p\u00e5 enheter som st\u00f8tter url oppsett, i hovedsak Android og iOS. Med eksterne spillere er det vanligvis ingen st\u00f8tte for fjernkontroll eller gjenopptaking.", - "ButtonUnlockGuide": "Unlock Guide", + "TabDonate": "Don\u00e9r", "HeaderDonationType": "Donasjon type:", "OptionMakeOneTimeDonation": "Gi en egen donasjon", + "OptionOneTimeDescription": "Dette er en ekstra donasjon til teamet for \u00e5 vise din st\u00f8tte. Det har ikke noen ekstra fordeler, og vil ikke produsere en supporter tasten.", + "OptionLifeTimeSupporterMembership": "Livstids supporter medlemskap", + "OptionYearlySupporterMembership": "\u00c5rlig supporter medlemskap", + "OptionMonthlySupporterMembership": "M\u00e5nedlig supporter medlemskap", "OptionNoTrailer": "Ingen trailer", "OptionNoThemeSong": "Ingen temasang", "OptionNoThemeVideo": "Ingen tema video", "LabelOneTimeDonationAmount": "Donasjons bel\u00f8p:", - "ButtonLearnMore": "L\u00e6re mer", - "ButtonLearnMoreAboutEmbyConnect": "L\u00e6r mer om Emby Connect", - "LabelNewUserNameHelp": "Brukernavn kan inneholder internasjonale bokstaver (a-z), tall (0-9), bindestrek (-), understrek (_), apostrof (') og punktum (.)", - "OptionEnableExternalVideoPlayers": "Aktiver eksterne videoavspillere", - "HeaderOptionalLinkEmbyAccount": "Valgfritt: Link til din konto p\u00e5 Emby Media", - "LabelEnableInternetMetadataForTvPrograms": "Last ned internet metadata for:", - "LabelCustomDeviceDisplayName": "Visningsnavn:", - "OptionTVMovies": "TV serier", - "LabelCustomDeviceDisplayNameHelp": "Oppgi et egendefinert visningsnavn eller la det v\u00e6re tomt for \u00e5 bruke navnet som enheten rapporterer.", - "HeaderInviteUser": "Invit\u00e9r Bruker", - "HeaderUpcomingMovies": "Kommende filmer", - "HeaderInviteUserHelp": "Dele media med venner er enklere enn noensinne med Emby Connect.", - "ButtonSendInvitation": "Send Invitasjon", - "HeaderGuests": "Gjester", - "HeaderUpcomingPrograms": "Kommende programmer", - "HeaderLocalUsers": "Lokale Brukere", - "HeaderPendingInvitations": "Ventende invitasjoner", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Enheter", - "TabCameraUpload": "Kameraopplasting", - "HeaderCameraUploadHelp": "Automatisk opplasting av bilder og videoer tatt fra dine mobile enheter til Emby.", - "TabPhotos": "Bilder", - "HeaderSchedule": "Timeplan", - "MessageNoDevicesSupportCameraUpload": "Du har for \u00f8yeblikket ingen enheter som st\u00f8tter kameraopplasting.", - "OptionEveryday": "Hver dag", - "LabelCameraUploadPath": "Sti til kameraopplasting:", - "OptionWeekdays": "Ukedager", - "LabelCameraUploadPathHelp": "Velg en tilpasset sti for opplasting dersom du \u00f8nsker det. Hvis intet er spesifiser vil standardmappen brukes. Hvis du bruker en tilpasset sti vil denne ogs\u00e5 m\u00e5tte legges til i innstillingene for bibliotek.", - "OptionWeekends": "Helger", - "LabelCreateCameraUploadSubfolder": "Lag en underkatalog for hver enhet", - "MessageProfileInfoSynced": "Brukerprofilinformasjon er synkronisert med Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Spesifikke mapper kan tildeles en enhet ved \u00e5 klikke p\u00e5 den fra Enhets-siden.", - "TabVideos": "Filmer", - "ButtonTrailerReel": "Start trailerserie", - "HeaderTrailerReel": "Trailerserie", - "OptionPlayUnwatchedTrailersOnly": "Bare spill usette trailere", - "HeaderTrailerReelHelp": "Spiller av trailere fra din spilleliste.", - "TabDevices": "Enheter", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Velkommen til Emby", - "OptionAllowSyncContent": "Tillat synk", - "LabelDateAddedBehavior": "Dato lagt til adferd for nytt innhold:", - "HeaderLibraryAccess": "Bibliotek tilgang", - "OptionDateAddedImportTime": "Bruk dato skannet inn til biblioteket", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Kanal tilgang", - "LabelEnableSingleImageInDidlLimit": "Maksimalt et innebygd bilde", - "OptionDateAddedFileTime": "Bruk fil opprettelse dato", - "HeaderLatestItems": "Siste element", - "LabelEnableSingleImageInDidlLimitHelp": "Noen enheter vil ikke vise bildene korrekt hvis flere bilder er innebygget i Didl.", - "LabelDateAddedBehaviorHelp": "Hvis metadata verdier er tilgjengelig vil de alltid bli brukt fremfor noen av disse valgene.", - "LabelSelectLastestItemsFolders": "Inkluder media fra f\u00f8lgende avsnitt i de siste elementene", - "LabelNumberTrailerToPlay": "Antall trailere \u00e5 avspille:", - "ButtonSkip": "Hopp over", - "OptionAllowAudioPlaybackTranscoding": "Tillat lydavspilling som krever transkoding", - "OptionAllowVideoPlaybackTranscoding": "Tillat filmavspilling som krever transkoding", - "NameSeasonUnknown": "Ukjent sesong", - "NameSeasonNumber": "Sesong {0}", - "TextConnectToServerManually": "Koble til server manuelt", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Undertekst Profil", - "LabelRemoteClientBitrateLimit": "Ekstern klient bitrate grense (Mbps):", - "HeaderSubtitleProfiles": "Undertekst Profiler", - "OptionDisableUserPreferences": "Deaktiver tillgang til bruker preferanser", - "HeaderSubtitleProfilesHelp": "Undertekst profiler beskriver undertekst formater som er suportert av enheten.", - "OptionDisableUserPreferencesHelp": "Hvis ativert, vil kun administratorer kunne konfigurere bruker profil bilder, passord og spr\u00e5k preferanser.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Velg Server", - "ButtonConnect": "Koble til", - "LabelRemoteClientBitrateLimitHelp": "En valgfri streaming bitrate grense for alle eksterne klienter. Dette er nyttig for \u00e5 hindre klienter fra \u00e5 be om en h\u00f8yere bitrate enn tilkoblingen kan h\u00e5ndtere.", - "LabelMethod": "Metode:", - "MessageNoServersAvailableToConnect": "Ingen servere er tilgjengelig for tilkobling. Hvis du er invitert til \u00e5 dele en server, s\u00f8rg for \u00e5 godta det under eller ved \u00e5 klikke p\u00e5 lenken i e-posten.", - "LabelDidlMode": "Didl modus:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Logg inn med Emby Connect", - "OptionEmbedSubtitles": "Legge inn i kontainer", - "OptionExternallyDownloaded": "Ekstern nedlasting", - "LabelServerHost": "Vert", - "CinemaModeConfigurationHelp2": "Individuelle brukere vil ha muligheten for \u00e5 deaktivere kino modus innenfor deres egne preferanser.", - "OptionOneTimeDescription": "Dette er en ekstra donasjon til teamet for \u00e5 vise din st\u00f8tte. Det har ikke noen ekstra fordeler, og vil ikke produsere en supporter tasten.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Aktiver kino mode", + "ButtonDonate": "Don\u00e9r", + "ButtonPurchase": "Purchase", + "OptionActor": "Skuespiller", + "OptionComposer": "Komponist", + "OptionDirector": "Regiss\u00f8r", + "OptionGuestStar": "Stjerne gjest", + "OptionProducer": "Produsent", + "OptionWriter": "Manus", "LabelAirDays": "Sendings dager:", - "HeaderCinemaMode": "Kino Modus", "LabelAirTime": "Sendings tid:", "HeaderMediaInfo": "Media informasjon", "HeaderPhotoInfo": "Bildeinformasjon", - "OptionAllowContentDownloading": "Tillat nedlasting av media", - "LabelServerHostHelp": "192.168.1.100 eller \"https:\/\/dinserver.no\"", - "TabDonate": "Don\u00e9r", - "OptionLifeTimeSupporterMembership": "Livstids supporter medlemskap", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "\u00c5rlig supporter medlemskap", - "LabelConversionCpuCoreLimit": "CPU kjerne grense:", - "OptionMonthlySupporterMembership": "M\u00e5nedlig supporter medlemskap", - "LabelConversionCpuCoreLimitHelp": "Begrenser antall CPU-kjerner som skal brukes under synk-konvertering.", - "ButtonChangeServer": "Endre server", - "OptionEnableFullSpeedConversion": "Aktiver full hastighetskonvertering", - "OptionEnableFullSpeedConversionHelp": "Som standard er synk-konvertering utf\u00f8res ved en lav hastighet for \u00e5 minimere ressursforbruk.", - "HeaderConnectToServer": "Koble til server", - "LabelBlockContentWithTags": "Blokker innhold med f\u00f8lgende tags:", "HeaderInstall": "Installer", "LabelSelectVersionToInstall": "Velg versjon for \u00e5 installere:", "LinkSupporterMembership": "L\u00e6r mer om supporter medlemskap", "MessageSupporterPluginRequiresMembership": "Dette programtillegget vil kreve et aktiv supporter medlemskap etter 14 dagers gratis pr\u00f8veperiode.", "MessagePremiumPluginRequiresMembership": "Dette programtillegget vil kreve et aktiv supporter medlemskap for \u00e5 kunne kj\u00f8pe etter 14 dagers gratis pr\u00f8veperiode.", "HeaderReviews": "Anmeldelser", - "LabelTagFilterMode": "Modus", "HeaderDeveloperInfo": "Utvikler informasjon", "HeaderRevisionHistory": "Revisjonshistorikk", "ButtonViewWebsite": "Vis nettsted", - "LabelTagFilterAllowModeHelp": "Hvis tillatte tagger brukes som del av mappestrukturen, vil innhold som er tagget kreve at foreldre-mappene ogs\u00e5 er tagget.", - "HeaderPlaylists": "Spillelister", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Aktiver struping", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Struping vil automatisk justere transkoding hastighet for \u00e5 minimere server cpu utnyttelse under avspilling.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Skuespiller", - "ButtonDonate": "Don\u00e9r", - "TitleNewUser": "Ny bruker", - "OptionComposer": "Komponist", - "ButtonConfigurePassword": "Konfigurer passord", - "OptionDirector": "Regiss\u00f8r", - "HeaderDashboardUserPassword": "Brukerpassord forvaltes innenfor hver brukers personlige profilinnstillingene.", - "OptionGuestStar": "Stjerne gjest", - "OptionProducer": "Produsent", - "OptionWriter": "Manus", "HeaderXmlSettings": "Xml innstillinger", "HeaderXmlDocumentAttributes": "Xml dokument attributter", - "ButtonSignInWithConnect": "Logg inn med Emby Connect", "HeaderXmlDocumentAttribute": "Xml dokument attributt", "XmlDocumentAttributeListHelp": "Disse attributtene p\u00e5f\u00f8res rot elementet for alle xml responser.", - "ValueSpecialEpisodeName": "Spesiell - {0}", "OptionSaveMetadataAsHidden": "Lagre metadata og bilder som skjulte filer", - "HeaderNewServer": "Ny server", - "TabActivity": "Aktivitet", - "TitleSync": "Synk", - "HeaderShareMediaFolders": "Del media mapper", - "MessageGuestSharingPermissionsHelp": "De fleste funksjonene er i utgangspunktet utilgjengelig for gjester, men kan aktiveres ved behov.", - "HeaderInvitations": "Invitasjoner", + "LabelExtractChaptersDuringLibraryScan": "Hent ut kapittel bilder under bibliotek skann", + "LabelExtractChaptersDuringLibraryScanHelp": "Hvis aktivert, vil kapittel bilder bli hentet ut mens videoer importeres under bibliotek skanning.\nHvis deaktivert, vil de bli hentet ut under planlagte oppgaver for kapittel bilder, som medf\u00f8rer at vanlig bibliotek skanning blir fortere ferdig.", + "LabelConnectGuestUserName": "Emby brukernavn eller epostadresse:", + "LabelConnectUserName": "Emby brukernavn\/epost", + "LabelConnectUserNameHelp": "Koble denne brukeren til en Emby konto for \u00e5 aktivere enkel p\u00e5loggingstilgang fra alle Emby app uten \u00e5 vite serveren ip-adresse.", + "ButtonLearnMoreAboutEmbyConnect": "L\u00e6r mer om Emby Connect", + "LabelExternalPlayers": "Eksterne avspillere:", + "LabelExternalPlayersHelp": "Vis knapper for \u00e5 spille av innhold i eksterne avspillere. Dette er bare tilgjengelig p\u00e5 enheter som st\u00f8tter url oppsett, i hovedsak Android og iOS. Med eksterne spillere er det vanligvis ingen st\u00f8tte for fjernkontroll eller gjenopptaking.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "HeaderSubtitleProfile": "Undertekst Profil", + "HeaderSubtitleProfiles": "Undertekst Profiler", + "HeaderSubtitleProfilesHelp": "Undertekst profiler beskriver undertekst formater som er suportert av enheten.", + "LabelFormat": "Format:", + "LabelMethod": "Metode:", + "LabelDidlMode": "Didl modus:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "Legge inn i kontainer", + "OptionExternallyDownloaded": "Ekstern nedlasting", + "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", "LabelSubtitleFormatHelp": "Eksempel: srt", + "ButtonLearnMore": "L\u00e6re mer", + "TabPlayback": "Spill av", "HeaderLanguagePreferences": "Spr\u00e5kpreferanser", "TabCinemaMode": "Kino Mode", "TitlePlayback": "Spill av", "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.", - "LabelExtractChaptersDuringLibraryScan": "Hent ut kapittel bilder under bibliotek skann", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Inkludere trailere fra filmer i mitt bibliotek", "OptionUpcomingMoviesInTheaters": "Inkludere trailere fra nye og kommende filmer", - "LabelExtractChaptersDuringLibraryScanHelp": "Hvis aktivert, vil kapittel bilder bli hentet ut mens videoer importeres under bibliotek skanning.\nHvis deaktivert, vil de bli hentet ut under planlagte oppgaver for kapittel bilder, som medf\u00f8rer at vanlig bibliotek skanning blir fortere ferdig.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Disse funksjonene krever ett aktivt supporter medlemskap og installasjon av programtillegget the Trailer channel.", "LabelLimitIntrosToUnwatchedContent": "Bruk kun trailere fra usett innhold", - "OptionReportStatistics": "Statistikk", - "LabelSelectInternetTrailersForCinemaMode": "Internett trailere:", "LabelEnableIntroParentalControl": "Aktiver smart foreldre kontroll", - "OptionUpcomingDvdMovies": "Inkluder trailere fra nye og kommende filmer p\u00e5 DVD & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "Denne brukeren er deaktivert", - "OptionUpcomingStreamingMovies": "Inkluder trailere fra nye og kommende filmer p\u00e5 Netflix", - "HeaderNewUsers": "Nye Brukere", - "HeaderUpcomingSports": "Kommende sport", - "OptionReportGrouping": "Gruppering", - "LabelDisplayTrailersWithinMovieSuggestions": "Vis trailere sammen med film forslag", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Disse funksjonene krever ett aktivt supporter medlemskap og installasjon av programtillegget the Trailer channel.", "OptionTrailersFromMyMoviesHelp": "Krever oppsett av lokale trailere.", - "ButtonSignUp": "Registrering", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Krever installasjon av trailer kanalen.", "LabelCustomIntrosPath": "Tilpasset intro sti:", - "MessageReenableUser": "Se under for \u00e5 aktivere", "LabelCustomIntrosPathHelp": "En mappe med video filer. En video vil bli tilfeldig valgt og avspilt etter trailere.", - "LabelUploadSpeedLimit": "Last opp hastighetsgrensen (Mbps):", - "TabPlayback": "Spill av", - "OptionAllowSyncTranscoding": "Tillat synkronisering som krever transkoding", - "LabelConnectUserName": "Emby brukernavn\/epost", - "LabelConnectUserNameHelp": "Koble denne brukeren til en Emby konto for \u00e5 aktivere enkel p\u00e5loggingstilgang fra alle Emby app uten \u00e5 vite serveren ip-adresse.", - "HeaderPlayback": "Media avspilling", - "HeaderViewStyles": "Se stiler", - "TabJobs": "Jobber", - "TabSyncJobs": "Synk-jobber", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Glemt passord", - "LabelConnectGuestUserName": "Emby brukernavn eller epostadresse:", + "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": "Vis trailere sammen med film forslag", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Krever installasjon av trailer kanalen.", + "CinemaModeConfigurationHelp2": "Individuelle brukere vil ha muligheten for \u00e5 deaktivere kino modus innenfor deres egne preferanser.", + "LabelEnableCinemaMode": "Aktiver kino mode", + "HeaderCinemaMode": "Kino Modus", + "LabelDateAddedBehavior": "Dato lagt til adferd for nytt innhold:", + "OptionDateAddedImportTime": "Bruk dato skannet inn til biblioteket", + "OptionDateAddedFileTime": "Bruk fil opprettelse dato", + "LabelDateAddedBehaviorHelp": "Hvis metadata verdier er tilgjengelig vil de alltid bli brukt fremfor noen av disse valgene.", + "LabelNumberTrailerToPlay": "Antall trailere \u00e5 avspille:", + "TitleDevices": "Enheter", + "TabCameraUpload": "Kameraopplasting", + "TabDevices": "Enheter", + "HeaderCameraUploadHelp": "Automatisk opplasting av bilder og videoer tatt fra dine mobile enheter til Emby.", + "MessageNoDevicesSupportCameraUpload": "Du har for \u00f8yeblikket ingen enheter som st\u00f8tter kameraopplasting.", + "LabelCameraUploadPath": "Sti til kameraopplasting:", + "LabelCameraUploadPathHelp": "Velg en tilpasset sti for opplasting dersom du \u00f8nsker det. Hvis intet er spesifiser vil standardmappen brukes. Hvis du bruker en tilpasset sti vil denne ogs\u00e5 m\u00e5tte legges til i innstillingene for bibliotek.", + "LabelCreateCameraUploadSubfolder": "Lag en underkatalog for hver enhet", + "LabelCreateCameraUploadSubfolderHelp": "Spesifikke mapper kan tildeles en enhet ved \u00e5 klikke p\u00e5 den fra Enhets-siden.", + "LabelCustomDeviceDisplayName": "Visningsnavn:", + "LabelCustomDeviceDisplayNameHelp": "Oppgi et egendefinert visningsnavn eller la det v\u00e6re tomt for \u00e5 bruke navnet som enheten rapporterer.", + "HeaderInviteUser": "Invit\u00e9r Bruker", "LabelConnectGuestUserNameHelp": "Dette er brukernavnet som dine venner bruker til \u00e5 logge seg p\u00e5 Emby nettside, eller bruk e-postadresse.", + "HeaderInviteUserHelp": "Dele media med venner er enklere enn noensinne med Emby Connect.", + "ButtonSendInvitation": "Send Invitasjon", + "HeaderSignInWithConnect": "Logg inn med Emby Connect", + "HeaderGuests": "Gjester", + "HeaderLocalUsers": "Lokale Brukere", + "HeaderPendingInvitations": "Ventende invitasjoner", + "TabParentalControl": "Foreldrekontroll", + "HeaderAccessSchedule": "Access Schedule", + "HeaderAccessScheduleHelp": "Lag en tilgang tidsplan for \u00e5 begrense tilgangen til visse tider.", + "ButtonAddSchedule": "Legg til timeplan", + "LabelAccessDay": "Ukedag:", + "LabelAccessStart": "Starttid:", + "LabelAccessEnd": "Sluttid:", + "HeaderSchedule": "Timeplan", + "OptionEveryday": "Hver dag", + "OptionWeekdays": "Ukedager", + "OptionWeekends": "Helger", + "MessageProfileInfoSynced": "Brukerprofilinformasjon er synkronisert med Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Valgfritt: Link til din konto p\u00e5 Emby Media", + "ButtonTrailerReel": "Start trailerserie", + "HeaderTrailerReel": "Trailerserie", + "OptionPlayUnwatchedTrailersOnly": "Bare spill usette trailere", + "HeaderTrailerReelHelp": "Spiller av trailere fra din spilleliste.", + "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", + "HeaderNewUsers": "Nye Brukere", + "ButtonSignUp": "Registrering", "ButtonForgotPassword": "Glemt passord", + "OptionDisableUserPreferences": "Deaktiver tillgang til bruker preferanser", + "OptionDisableUserPreferencesHelp": "Hvis ativert, vil kun administratorer kunne konfigurere bruker profil bilder, passord og spr\u00e5k preferanser.", + "HeaderSelectServer": "Velg Server", + "MessageNoServersAvailableToConnect": "Ingen servere er tilgjengelig for tilkobling. Hvis du er invitert til \u00e5 dele en server, s\u00f8rg for \u00e5 godta det under eller ved \u00e5 klikke p\u00e5 lenken i e-posten.", + "TitleNewUser": "Ny bruker", + "ButtonConfigurePassword": "Konfigurer passord", + "HeaderDashboardUserPassword": "Brukerpassord forvaltes innenfor hver brukers personlige profilinnstillingene.", + "HeaderLibraryAccess": "Bibliotek tilgang", + "HeaderChannelAccess": "Kanal tilgang", + "HeaderLatestItems": "Siste element", + "LabelSelectLastestItemsFolders": "Inkluder media fra f\u00f8lgende avsnitt i de siste elementene", + "HeaderShareMediaFolders": "Del media mapper", + "MessageGuestSharingPermissionsHelp": "De fleste funksjonene er i utgangspunktet utilgjengelig for gjester, men kan aktiveres ved behov.", + "HeaderInvitations": "Invitasjoner", "LabelForgotPasswordUsernameHelp": "Skriv inn ditt brukernavn, hvis du husker det.", + "HeaderForgotPassword": "Glemt passord", "TitleForgotPassword": "Glemt passord", "TitlePasswordReset": "Resett passord", - "TabParentalControl": "Foreldrekontroll", "LabelPasswordRecoveryPinCode": "PIN-kode:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Resett passord", - "HeaderAccessScheduleHelp": "Lag en tilgang tidsplan for \u00e5 begrense tilgangen til visse tider.", "HeaderParentalRatings": "Foreldresensur", - "ButtonAddSchedule": "Legg til timeplan", "HeaderVideoTypes": "Videotyper", - "LabelAccessDay": "Ukedag:", "HeaderYears": "\u00c5r", - "LabelAccessStart": "Starttid:", - "LabelAccessEnd": "Sluttid:", - "LabelDvdSeasonNumber": "Dvd sesong nummer:", + "HeaderAddTag": "Legg til tag", + "LabelBlockContentWithTags": "Blokker innhold med f\u00f8lgende tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Maksimalt et innebygd bilde", + "LabelEnableSingleImageInDidlLimitHelp": "Noen enheter vil ikke vise bildene korrekt hvis flere bilder er innebygget i Didl.", + "TabActivity": "Aktivitet", + "TitleSync": "Synk", + "OptionAllowSyncContent": "Tillat synk", + "OptionAllowContentDownloading": "Tillat nedlasting av media", + "NameSeasonUnknown": "Ukjent sesong", + "NameSeasonNumber": "Sesong {0}", + "LabelNewUserNameHelp": "Brukernavn kan inneholder internasjonale bokstaver (a-z), tall (0-9), bindestrek (-), understrek (_), apostrof (') og punktum (.)", + "TabJobs": "Jobber", + "TabSyncJobs": "Synk-jobber", + "LabelTagFilterMode": "Modus", + "LabelTagFilterAllowModeHelp": "Hvis tillatte tagger brukes som del av mappestrukturen, vil innhold som er tagget kreve at foreldre-mappene ogs\u00e5 er tagget.", + "HeaderThisUserIsCurrentlyDisabled": "Denne brukeren er deaktivert", + "MessageReenableUser": "Se under for \u00e5 aktivere", + "LabelEnableInternetMetadataForTvPrograms": "Last ned internet metadata for:", + "OptionTVMovies": "TV serier", + "HeaderUpcomingMovies": "Kommende filmer", + "HeaderUpcomingSports": "Kommende sport", + "HeaderUpcomingPrograms": "Kommende programmer", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Aktiver struping", + "OptionEnableTranscodingThrottleHelp": "Struping vil automatisk justere transkoding hastighet for \u00e5 minimere server cpu utnyttelse under avspilling.", + "LabelUploadSpeedLimit": "Last opp hastighetsgrensen (Mbps):", + "OptionAllowSyncTranscoding": "Tillat synkronisering som krever transkoding", + "HeaderPlayback": "Media avspilling", + "OptionAllowAudioPlaybackTranscoding": "Tillat lydavspilling som krever transkoding", + "OptionAllowVideoPlaybackTranscoding": "Tillat filmavspilling som krever transkoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Ekstern klient bitrate grense (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "En valgfri streaming bitrate grense for alle eksterne klienter. Dette er nyttig for \u00e5 hindre klienter fra \u00e5 be om en h\u00f8yere bitrate enn tilkoblingen kan h\u00e5ndtere.", + "LabelConversionCpuCoreLimit": "CPU kjerne grense:", + "LabelConversionCpuCoreLimitHelp": "Begrenser antall CPU-kjerner som skal brukes under synk-konvertering.", + "OptionEnableFullSpeedConversion": "Aktiver full hastighetskonvertering", + "OptionEnableFullSpeedConversionHelp": "Som standard er synk-konvertering utf\u00f8res ved en lav hastighet for \u00e5 minimere ressursforbruk.", + "HeaderPlaylists": "Spillelister", + "HeaderViewStyles": "Se stiler", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Bilder", + "TabVideos": "Filmer", + "HeaderWelcomeToEmby": "Velkommen til Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Hopp over", + "TextConnectToServerManually": "Koble til server manuelt", + "ButtonSignInWithConnect": "Logg inn med Emby Connect", + "ButtonConnect": "Koble til", + "LabelServerHost": "Vert", + "LabelServerHostHelp": "192.168.1.100 eller \"https:\/\/dinserver.no\"", + "LabelServerPort": "Port:", + "HeaderNewServer": "Ny server", + "ButtonChangeServer": "Endre server", + "HeaderConnectToServer": "Koble til server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistikk", + "OptionReportGrouping": "Gruppering", "HeaderExport": "Eksporter", - "LabelDvdEpisodeNumber": "Dvd episode nummer:", - "LabelAbsoluteEpisodeNumber": "absolutt episode nummer:", - "LabelAirsBeforeSeason": "Send f\u00f8r sesong:", "HeaderColumns": "Kolonner", - "LabelAirsAfterSeason": "Sendt etter sesong:" + "ButtonReset": "Resett", + "OptionEnableExternalVideoPlayers": "Aktiver eksterne videoavspillere", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 9b01717aae..19ac8bca31 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/nl.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/nl.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welkom bij Emby!", - "LabelImageSavingConvention": "Afbeelding opslag conventie:", - "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.", - "HeaderNewCollection": "Nieuwe Collectie", - "LabelImageSavingConventionHelp": "Emby herkent beelden van de meeste grote media-applicaties Het kiezen van uw download conventie is handig als u ook gebruik maakt van andere producten.", - "OptionImageSavingCompatible": "Compatible - Empty\/Kodi\/Plex", - "LinkedToEmbyConnect": "Gekoppeld aan Emby Connect", - "OptionImageSavingStandard": "Standaard - MB2", - "OptionAutomatic": "Automatisch", - "ButtonCreate": "Cre\u00ebren", - "ButtonSignIn": "Aanmelden", - "LiveTvPluginRequired": "Een Live TV service provider Plug-in is vereist om door te gaan.", - "TitleSignIn": "Aanmelden", - "LiveTvPluginRequiredHelp": "Installeer a.u b een van onze beschikbare Plug-ins, zoals Next PVR of ServerWmc.", - "LabelWebSocketPortNumber": "Web socket poortnummer:", - "ProjectHasCommunity": "Emby heeft een bloeiende gemeenschap van gebruikers en medewerkers", - "HeaderPleaseSignIn": "Wachtwoord in geven", - "LabelUser": "Gebruiker:", - "LabelExternalDDNS": "Extern WAN Adres:", - "TabOther": "Overig", - "LabelPassword": "Wachtwoord:", - "OptionDownloadThumbImage": "Miniatuur", - "LabelExternalDDNSHelp": "Als u een dynamische DNS heeft moet dit hier worden ingevoerd. Emby apps zullen het gebruiken als externe verbinding. Laat leeg voor automatische detectie", - "VisitProjectWebsite": "Bezoek de Emby Website", - "ButtonManualLogin": "Handmatige Aanmelding", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Hervatten", - "PasswordLocalhostMessage": "Wachtwoorden zijn niet vereist bij het aanmelden van localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weer", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Instellingen", - "ButtonDeleteImage": "Verwijder afbeelding", - "VisitProjectWebsiteLong": "Bezoek de Emby Web-website voor het laatste nieuws en blijf op de hoogte via het ontwikkelaars blog.", - "OptionDownloadDiscImage": "Schijf", - "LabelMinResumePercentage": "Percentage (Min):", - "ButtonUpload": "Uploaden", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Percentage (Max):", - "HeaderUploadNewImage": "Nieuwe afbeelding uploaden", - "OptionDownloadBackImage": "Terug", - "LabelMinResumeDuration": "Minimale duur (In seconden):", - "OptionHideWatchedContentFromLatestMedia": "Verberg bekeken inhoud van recent toegevoegd", - "LabelDropImageHere": "Afbeelding hier neerzetten", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titels worden ingesteld als onafgespeeld indien gestopt voor deze tijd", - "ImageUploadAspectRatioHelp": "1:1 beeldverhouding geadviseerd. Alleen JPG\/PNG.", - "OptionDownloadPrimaryImage": "Primair", - "LabelMaxResumePercentageHelp": "Titels worden ingesteld als volledig afgespeeld als gestopt na deze tijd", - "MessageNothingHere": "Lijst is leeg.", - "HeaderFetchImages": "Afbeeldingen ophalen:", - "LabelMinResumeDurationHelp": "Titels korter dan dit zullen niet hervatbaar zijn", - "TabSuggestions": "Suggesties", - "MessagePleaseEnsureInternetMetadata": "Zorg ervoor dat het downloaden van metadata van het internet is ingeschakeld.", - "HeaderImageSettings": "Afbeeldingsinstellingen", - "TabSuggested": "Aanbevolen", - "LabelMaxBackdropsPerItem": "Maximum aantal achtergronden per item:", - "TabLatest": "Nieuw", - "LabelMaxScreenshotsPerItem": "Maximum aantal schermafbeeldingen per item:", - "TabUpcoming": "Binnenkort op TV", - "LabelMinBackdropDownloadWidth": "Minimale achtergrond breedte om te downloaden:", - "TabShows": "Series", - "LabelMinScreenshotDownloadWidth": "Minimale schermafbeeldings- breedte om te downloaden:", - "TabEpisodes": "Afleveringen", - "ButtonAddScheduledTaskTrigger": "Trigger Toevoegen", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Trigger Toevoegen", - "TabPeople": "Personen", - "ButtonAdd": "Toevoegen", - "TabNetworks": "TV-Studio's", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Dagelijks", - "OptionWeekly": "Wekelijks", - "OptionOnInterval": "Op interval", - "OptionOnAppStartup": "Op applicatie start", - "ButtonHelp": "Hulp", - "OptionAfterSystemEvent": "Na een systeem gebeurtenis", - "LabelDay": "Dag:", - "LabelTime": "Tijd:", - "OptionRelease": "Offici\u00eble Release", - "LabelEvent": "Gebeurtenis:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Uit slaapstand halen", - "ButtonInviteUser": "Nodig gebruiker uit", - "OptionDev": "Dev (Instabiel)", - "LabelEveryXMinutes": "Iedere:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Galerij", - "HeaderLatestGames": "Nieuwe Games", - "RegisterWithPayPal": "Registreer met PayPal", - "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", + "LabelExit": "Afsluiten", + "LabelVisitCommunity": "Bezoek Gemeenschap", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standaard", "LabelApiDocumentation": "Api documentatie", - "Option2Player": "2+", "LabelDeveloperResources": "Ontwikkelaars bronnen", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Mappen", - "HeaderThemeVideos": "Thema Video's", - "HeaderThemeSongs": "Thema Song's", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards en recensies", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Video's", - "HeaderSpecialFeatures": "Extra's", + "LabelBrowseLibrary": "Bekijk bibliotheek", + "LabelConfigureServer": "Emby Configureren", + "LabelOpenLibraryViewer": "Open bibliotheek verkenner", + "LabelRestartServer": "Server herstarten", + "LabelShowLogWindow": "Toon log venster", + "LabelPrevious": "Vorige", + "LabelFinish": "Voltooien", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Volgende", + "LabelYoureDone": "Gereed!", + "WelcomeToProject": "Welkom bij Emby!", + "ThisWizardWillGuideYou": "Deze wizard helpt u door het setup-proces.", + "TellUsAboutYourself": "Vertel ons over uzelf", + "ButtonQuickStartGuide": "Snel start gids", + "LabelYourFirstName": "Uw voornaam:", + "MoreUsersCanBeAddedLater": "Meer gebruikers kunnen later via het dashboard worden toegevoegd.", + "UserProfilesIntro": "Emby heeft ingebouwde ondersteuning voor gebruikersprofielen die het mogelijk maken om elke gebruiker eigen scherminstellingen, afspeelinstellingen en ouderlijk toezicht te geven.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "Er is een Windows service ge\u00efnstalleerd.", + "WindowsServiceIntro1": "Emby Server draait normaalgesproken als een desktop applicatie met een icoon in het systeemvaak, maar als u dat wilt kunt u het als een achtergrondproces draaien. Het kan daarvoor worden gestart vanuit het Windows Services configuratiescherm.", + "WindowsServiceIntro2": "Wanneer u de Windows-service gebruikt, dan dient u er rekening mee te houden dat het niet op hetzelfde moment als de desktop applicatie kan worden uitgevoerd. Het is daarom vereist de desktop applicatie eerst af te sluiten voordat u de service gebruikt. De service moet worden geconfigureerd met beheerdersrechten via het configuratie scherm. Houd er rekening mee dat op dit moment de service niet automatisch kan worden bijgewerkt, zodat nieuwe versies dus handmatige interactie vereisen.", + "WizardCompleted": "Dat is alles wat we nu nodig hebben. Emby is begonnen met het verzamelen van informatie over uw media bibliotheek. Probeer sommige van onze apps en klik dan Finish<\/b> om het Server Dashboard<\/b> te bekijken.", + "LabelConfigureSettings": "Configureer instellingen", + "LabelEnableVideoImageExtraction": "Videobeeld uitpakken inschakelen", + "VideoImageExtractionHelp": "Voor video's die nog geen afbeeldingen hebben, en waarvoor geen afbeeldingen op Internet te vinden zijn. Dit voegt extra tijd toe aan de oorspronkelijke bibliotheek scan, maar resulteert in een mooiere weergave.", + "LabelEnableChapterImageExtractionForMovies": "Hoofdstuk afbeeldingen uitpakken voor Films", + "LabelChapterImageExtractionForMoviesHelp": "Uitpakken van hoofdstuk afbeeldingen biedt clients grafische scene selectie menu's. Het proces kan langzaam en processor intensief zijn en kan enkele gigabytes aan vrije ruimte vereisen. Het draait 's nachts als geplande taak, hoewel dit aangepast kan worden bij de geplande taken. Het wordt niet aanbevolen om deze taak tijdens piekuren te draaien.", + "LabelEnableAutomaticPortMapping": "Automatische poorttoewijzing inschakelen", + "LabelEnableAutomaticPortMappingHelp": "UPnP zorgt voor geautomatiseerde configuratie van de router voor gemakkelijke toegang op afstand. Dit werkt mogelijk niet met sommige routers.", + "HeaderTermsOfService": "Emby Service Voorwaarden", + "MessagePleaseAcceptTermsOfService": "Accepteer a.u.b. de voorwaarden en Privacybeleid voordat u doorgaat.", + "OptionIAcceptTermsOfService": "Ik accepteer de voorwaarden", + "ButtonPrivacyPolicy": "Privacybeleid", + "ButtonTermsOfService": "Service voorwaarden", "HeaderDeveloperOptions": "Ontwikkelaar Opties", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Lokale http poort nummer:", - "HeaderAdditionalParts": "Extra onderdelen", "OptionEnableWebClientResponseCache": "Web client reactie caching inschakelen", - "LabelLocalHttpServerPortNumberHelp": "Het tcp poort nummer waar Emby's http server aan moet verbinden.", - "ButtonSplitVersionsApart": "Splits Versies Apart", - "LabelSyncTempPath": "Pad voor tijdelijke bestanden:", "OptionDisableForDevelopmentHelp": "Configureer deze zonodig voor web client ontwikkelingsdoeleinden.", - "LabelMissing": "Ontbreekt", - "LabelSyncTempPathHelp": "Geef een afwijkende sync werk directory op. Tijdens het sync proces aangemaakte geconverteerde media zal hier opgeslagen worden.", - "LabelEnableAutomaticPortMap": "Schakel automatisch poort vertalen in", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Web client bron verkleining inschakelen", - "LabelEnableAutomaticPortMapHelp": "Probeer om de publieke poort automatisch te vertalen naar de lokale poort via UPnP. Dit werk niet op alle routers.", - "PathSubstitutionHelp": "Pad vervangen worden gebruikt voor het in kaart brengen van een pad op de server naar een pad dat de client in staat stelt om toegang te krijgen. Doordat de client 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.", - "LabelCustomCertificatePath": "Aangepast certificaat pad:", - "HeaderFrom": "Van", "LabelDashboardSourcePath": "Web client bron pad:", - "HeaderTo": "Naar", - "LabelCustomCertificatePathHelp": "Gebruik uw eigen ssl certificaat .pfx bestand. Indien weggelaten zal de server een zelf-gesigneerd certificaat aanmaken.", - "LabelFrom": "Van:", "LabelDashboardSourcePathHelp": "Wanneer u de server draait vanaf de bron, geeft u het pad naar de map dashboard-ui op. Alle web client bestanden worden geladen vanaf deze locatie.", - "LabelFromHelp": "Bijvoorbeeld: D:\\Movies (op de server)", - "ButtonAddToCollection": "Voeg toe aan Collectie", - "LabelTo": "Naar:", + "ButtonConvertMedia": "Converteer media", + "ButtonOrganize": "Organiseren", + "LinkedToEmbyConnect": "Gekoppeld aan Emby Connect", + "HeaderSupporterBenefits": "Voordelen voor Supporters", + "HeaderAddUser": "Gebruiker Toevoegen", + "LabelAddConnectSupporterHelp": "Om een \u200b\u200bgebruiker toe te voegen die niet in de lijst voorkomt, moet u eerst hun account koppelen aan Emby Connect vanuit hun gebruikersprofiel pagina.", + "LabelPinCode": "Pincode:", + "OptionHideWatchedContentFromLatestMedia": "Verberg bekeken inhoud van recent toegevoegd", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Annuleren", + "ButtonExit": "Afsluiten", + "ButtonNew": "Nieuw", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paden", - "LabelToHelp": "Voorbeeld: \\\\MijnServer\\Movies (een pad waar de client toegang toe heeft)", - "ButtonAddPathSubstitution": "Vervanging toevoegen", + "CategorySync": "Sync", + "TabPlaylist": "Afspeellijst", + "HeaderEasyPinCode": "Eenvoudige Pincode", + "HeaderGrownupsOnly": "Alleen voor volwassenen!", + "DividerOr": "-- of --", + "HeaderInstalledServices": "Ge\u00efnstalleerde diensten", + "HeaderAvailableServices": "Beschikbare diensten", + "MessageNoServicesInstalled": "Er zijn momenteel geen diensten ge\u00efnstalleerd.", + "HeaderToAccessPleaseEnterEasyPinCode": "Voor toegang toets uw pincode", + "KidsModeAdultInstruction": "Klik op het slotje in de rechterbenedenhoek om te configureren of blijf in de kindermodus. Uw pincode is vereist.", + "ButtonConfigurePinCode": "Configureer pincode", + "HeaderAdultsReadHere": "Volwassenen Lees hier!", + "RegisterWithPayPal": "Registreer met PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Vereist een Supporter lidmaatschap", + "HeaderEnjoyDayTrial": "Geniet van een 14-daagse gratis proefversie", + "LabelSyncTempPath": "Pad voor tijdelijke bestanden:", + "LabelSyncTempPathHelp": "Geef een afwijkende sync werk directory op. Tijdens het sync proces aangemaakte geconverteerde media zal hier opgeslagen worden.", + "LabelCustomCertificatePath": "Aangepast certificaat pad:", + "LabelCustomCertificatePathHelp": "Gebruik uw eigen ssl certificaat .pfx bestand. Indien weggelaten zal de server een zelf-gesigneerd certificaat aanmaken.", "TitleNotifications": "Meldingen", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Ontbrekende Afleveringen", "ButtonDonateWithPayPal": "Doneer met PayPal", + "OptionDetectArchiveFilesAsMedia": "Herken archief bestanden als media", + "OptionDetectArchiveFilesAsMediaHelp": "Indien ingeschakeld zullen bestanden met .rar en .zip extensies herkend worden als media bestanden.", + "LabelEnterConnectUserName": "Gebruikersnaam of email:", + "LabelEnterConnectUserNameHelp": "Dit is uw Emby Online account naam of wachtwoord.", + "LabelEnableEnhancedMovies": "Verbeterde film displays inschakelen", + "LabelEnableEnhancedMoviesHelp": "Wanneer ingeschakeld, zullen films worden weergegeven als mappen inclusief trailers, extra's, cast & crew en andere gerelateerde inhoud.", + "HeaderSyncJobInfo": "Sync Opdrachten", + "FolderTypeMovies": "Films", + "FolderTypeMusic": "Muziek", + "FolderTypeAdultVideos": "Adult video's", + "FolderTypePhotos": "Foto's", + "FolderTypeMusicVideos": "Muziek video's", + "FolderTypeHomeVideos": "Thuis video's", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Boeken", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "overerven", - "OptionUnairedEpisode": "Toekomstige Afleveringen", "LabelContentType": "Inhoud type:", - "OptionEpisodeSortName": "Aflevering Sorteer Naam", "TitleScheduledTasks": "Geplande Taken", - "OptionSeriesSortName": "Serie Naam", + "HeaderSetupLibrary": "Stel uw mediabibliotheek in", + "ButtonAddMediaFolder": "Mediamap toevoegen", + "LabelFolderType": "Maptype:", + "ReferToMediaLibraryWiki": "Raadpleeg de mediabibliotheek wiki.", + "LabelCountry": "Land:", + "LabelLanguage": "Taal:", + "LabelTimeLimitHours": "Tijdslimiet (uren):", + "ButtonJoinTheDevelopmentTeam": "Word lid van het Ontwikkel Team", + "HeaderPreferredMetadataLanguage": "Gewenste metadata taal:", + "LabelSaveLocalMetadata": "Sla afbeeldingen en metadata op in de mediamappen", + "LabelSaveLocalMetadataHelp": "Door afbeeldingen en metadata op te slaan in de mediamappen kunnen ze makkelijker worden gevonden en bewerkt.", + "LabelDownloadInternetMetadata": "Download afbeeldingen en metadata van het internet", + "LabelDownloadInternetMetadataHelp": "Emby Server kan informatie downloaden van uw media om rijke presentaties mogelijk te maken.", + "TabPreferences": "Voorkeuren", + "TabPassword": "Wachtwoord", + "TabLibraryAccess": "Bibliotheek toegang", + "TabAccess": "Toegang", + "TabImage": "Afbeelding", + "TabProfile": "Profiel", + "TabMetadata": "Metagegevens", + "TabImages": "Afbeeldingen", "TabNotifications": "Meldingen", - "OptionTvdbRating": "Tvdb Waardering", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcodeer Kwaliteit voorkeur:", - "OptionAutomaticTranscodingHelp": "De server zal de kwaliteit en snelheid kiezen", - "LabelPublicHttpPort": "Publieke http poort nummer:", - "OptionHighSpeedTranscodingHelp": "Lagere kwaliteit, maar snellere codering", - "OptionHighQualityTranscodingHelp": "Hogere kwaliteit, maar tragere codering", - "OptionPosterCard": "Poster kaart", - "LabelPublicHttpPortHelp": "Het publieke poortnummer dat moet worden toegewezen aan de lokale http poort.", - "OptionMaxQualityTranscodingHelp": "Beste kwaliteit met tragere codering en hoog CPU-gebruik", - "OptionThumbCard": "Miniaturen kaart", - "OptionHighSpeedTranscoding": "Hogere snelheid", - "OptionAllowRemoteSharedDevices": "Op afstand besturen van gedeelde apparaten toestaan", - "LabelPublicHttpsPort": "Publieke https poort nummer:", - "OptionHighQualityTranscoding": "Hogere kwaliteit", - "OptionAllowRemoteSharedDevicesHelp": "Dlna apparaten worden als gedeeld apparaat gezien totdat een gebruiker deze gaat gebruiken.", - "OptionMaxQualityTranscoding": "Max kwaliteit", - "HeaderRemoteControl": "Gebruik op afstand", - "LabelPublicHttpsPortHelp": "Het publieke poortnummer dat moet worden toegewezen aan de lokale https poort.", - "OptionEnableDebugTranscodingLogging": "Transcodeer Foutopsporings logboek inschakelen", + "TabCollectionTitles": "Titels", + "HeaderDeviceAccess": "Apparaat Toegang", + "OptionEnableAccessFromAllDevices": "Toegang vanaf alle apparaten toestaan", + "OptionEnableAccessToAllChannels": "Toegang tot alle kanalen inschakelen", + "OptionEnableAccessToAllLibraries": "Toegang tot alle bibliotheken inschakelen", + "DeviceAccessHelp": "Dit geldt alleen voor apparaten die uniek ge\u00efdentificeerd kunnen worden en voorkomen niet toegang via een webbrowser. Filteren van apparaat toegang voor gebruikers voorkomt dat zij nieuwe apparaten gebruiken totdat deze hier zijn goedgekeurd.", + "LabelDisplayMissingEpisodesWithinSeasons": "Toon ontbrekende afleveringen binnen een seizoen", + "LabelUnairedMissingEpisodesWithinSeasons": "Toon komende afleveringen binnen een seizoen", + "HeaderVideoPlaybackSettings": "Video afspeel instellingen", + "HeaderPlaybackSettings": "Afspeel instellingen", + "LabelAudioLanguagePreference": "Voorkeurs taal geluid:", + "LabelSubtitleLanguagePreference": "Voorkeurs taal ondertiteling:", "OptionDefaultSubtitles": "Standaard", - "OptionEnableDebugTranscodingLoggingHelp": "Dit zal zeer grote logboekbestanden maken en wordt alleen aanbevolen wanneer het nodig is voor het oplossen van problemen.", - "LabelEnableHttps": "Rapporteer https als extern adres", - "HeaderUsers": "Gebruikers", "OptionOnlyForcedSubtitles": "Alleen geforceerde ondertiteling", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Ondertiteling altijd weergeven", - "LabelEnableHttpsHelp": "Indien ingeschakeld, zal de server een https url rapporteren aan de client als het externe adres.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "Geen ondertitels", "OptionDefaultSubtitlesHelp": "Ondertiteling wordt weergegeven in de voorkeurstaal als de audio in een andere taal is.", - "OptionFavorite": "Favorieten", "OptionOnlyForcedSubtitlesHelp": "Alleen ondertitels gemarkeerd als \"gedwongen\" zullen worden geladen.", - "LabelHttpsPort": "Lokale https poort nummer:", - "OptionLikes": "Leuk", "OptionAlwaysPlaySubtitlesHelp": "Ondertiteling wordt weergegeveen in de voorkeurstaal ongeacht de taal van de audio.", - "OptionDislikes": "Niet leuk", "OptionNoSubtitlesHelp": "Ondertiteling wordt standaard niet weergegeven.", - "LabelHttpsPortHelp": "Het tcp poort nummer waar Emby's http server aan moet verbinden.", + "TabProfiles": "Profielen", + "TabSecurity": "Beveiliging", + "ButtonAddUser": "Gebruiker toevoegen", + "ButtonAddLocalUser": "Voeg lokale gebruiker toe", + "ButtonInviteUser": "Nodig gebruiker uit", + "ButtonSave": "Opslaan", + "ButtonResetPassword": "Wachtwoord resetten", + "LabelNewPassword": "Nieuw wachtwoord:", + "LabelNewPasswordConfirm": "Bevestig nieuw wachtwoord:", + "HeaderCreatePassword": "Maak wachtwoord", + "LabelCurrentPassword": "Huidig wachtwoord:", + "LabelMaxParentalRating": "Maximaal toegestane kijkwijzer classificatie:", + "MaxParentalRatingHelp": "Media met een hogere classificatie wordt niet weergegeven", + "LibraryAccessHelp": "Selecteer de mediamappen om met deze gebruiker te delen. Beheerders kunnen alle mappen bewerken via de metadata manager.", + "ChannelAccessHelp": "Selecteer de kanalen om te delen met deze gebruiker. Beheerders kunnen alle kanalen bewerken met de metadata manager.", + "ButtonDeleteImage": "Verwijder afbeelding", + "LabelSelectUsers": "Selecteer gebruikers:", + "ButtonUpload": "Uploaden", + "HeaderUploadNewImage": "Nieuwe afbeelding uploaden", + "LabelDropImageHere": "Afbeelding hier neerzetten", + "ImageUploadAspectRatioHelp": "1:1 beeldverhouding geadviseerd. Alleen JPG\/PNG.", + "MessageNothingHere": "Lijst is leeg.", + "MessagePleaseEnsureInternetMetadata": "Zorg ervoor dat het downloaden van metadata van het internet is ingeschakeld.", + "TabSuggested": "Aanbevolen", + "TabSuggestions": "Suggesties", + "TabLatest": "Nieuw", + "TabUpcoming": "Binnenkort op TV", + "TabShows": "Series", + "TabEpisodes": "Afleveringen", + "TabGenres": "Genres", + "TabPeople": "Personen", + "TabNetworks": "TV-Studio's", + "HeaderUsers": "Gebruikers", + "HeaderFilters": "Filters:", + "ButtonFilter": "Filter", + "OptionFavorite": "Favorieten", + "OptionLikes": "Leuk", + "OptionDislikes": "Niet leuk", "OptionActors": "Acteurs", - "TangibleSoftwareMessage": "Gebruik makend van concrete oplossingen als Java \/ C converters door een geschonken licentie.", "OptionGuestStars": "Gast Sterren", - "HeaderCredits": "Credits", "OptionDirectors": "Regiseurs", - "TabCollections": "Collecties", "OptionWriters": "Schrijvers", - "TabFavorites": "Favorieten", "OptionProducers": "Producenten", - "TabMyLibrary": "Mijn bibliotheek", - "HeaderServices": "Diensten", "HeaderResume": "Hervatten", - "LabelCustomizeOptionsPerMediaType": "Aanpassen voor mediatype", "HeaderNextUp": "Volgend", "NoNextUpItemsMessage": "Niets gevonden. Start met kijken!", "HeaderLatestEpisodes": "Nieuwste Afleveringen", @@ -219,42 +200,32 @@ "TabMusicVideos": "Muziek Videos", "ButtonSort": "Sorteren", "HeaderSortBy": "Sorteren op:", - "OptionEnableAccessToAllChannels": "Toegang tot alle kanalen inschakelen", "HeaderSortOrder": "Sorteer volgorde:", - "LabelAutomaticUpdates": "Automatische updates inschakelen", "OptionPlayed": "Afgespeeld", - "LabelFanartApiKey": "Persoonlijke api sleutel:", "OptionUnplayed": "Onafgespeeld", - "LabelFanartApiKeyHelp": "Verzoeken om fanart zonder een persoonlijke API sleutel geven resultaten terug die meer dan 7 dagen geleden goedgekeurd zijn. Een persoonlijke API sleutel brengt dat terug tot 48 uur en als u ook een fanart VIP lid bent wordt dit tot 10 minuten teruggebracht.", "OptionAscending": "Oplopend", "OptionDescending": "Aflopend", "OptionRuntime": "Speelduur", + "OptionReleaseDate": "Uitgave datum", "OptionPlayCount": "Afspeel telling", "OptionDatePlayed": "Datum afgespeeld", - "HeaderRepeatingOptions": "Herhaling opties", "OptionDateAdded": "Datum toegevoegd", - "HeaderTV": "TV", "OptionAlbumArtist": "Albumartiest", - "HeaderTermsOfService": "Emby Service Voorwaarden", - "LabelCustomCss": "Aangepaste css:", - "OptionDetectArchiveFilesAsMedia": "Herken archief bestanden als media", "OptionArtist": "Artiest", - "MessagePleaseAcceptTermsOfService": "Accepteer a.u.b. de voorwaarden en Privacybeleid voordat u doorgaat.", - "OptionDetectArchiveFilesAsMediaHelp": "Indien ingeschakeld zullen bestanden met .rar en .zip extensies herkend worden als media bestanden.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Ik accepteer de voorwaarden", - "LabelCustomCssHelp": "Uw eigen aangepaste css voor de web-interface toepassen.", "OptionTrackName": "Naam van Nummer", - "ButtonPrivacyPolicy": "Privacybeleid", - "LabelSelectUsers": "Selecteer gebruikers:", "OptionCommunityRating": "Gemeenschaps Waardering", - "ButtonTermsOfService": "Service voorwaarden", "OptionNameSort": "Naam", + "OptionFolderSort": "Mappen", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Handig voor piv\u00e9 of verborgen beheer accounts. De gebruiker zal handmatig m.b.v. gebruikersnaam en wachtwoord aan moeten melden.", "OptionRevenue": "Inkomsten", "OptionPoster": "Poster", + "OptionPosterCard": "Poster kaart", + "OptionBackdrop": "Achtergrond", "OptionTimeline": "Tijdlijn", + "OptionThumb": "Miniatuur", + "OptionThumbCard": "Miniaturen kaart", + "OptionBanner": "Banner", "OptionCriticRating": "Kritieken", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Hervatbaar", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Geplande taken", "TabMyPlugins": "Mijn Plug-ins", "TabCatalog": "Catalogus", - "ThisWizardWillGuideYou": "Deze wizard helpt u door het setup-proces.", - "TellUsAboutYourself": "Vertel ons over uzelf", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatische updates", - "LabelYourFirstName": "Uw voornaam:", - "LabelPinCode": "Pincode:", - "MoreUsersCanBeAddedLater": "Meer gebruikers kunnen later via het dashboard worden toegevoegd.", "HeaderNowPlaying": "Wordt nu afgespeeld", - "UserProfilesIntro": "Emby heeft ingebouwde ondersteuning voor gebruikersprofielen die het mogelijk maken om elke gebruiker eigen scherminstellingen, afspeelinstellingen en ouderlijk toezicht te geven.", "HeaderLatestAlbums": "Nieuwste Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Nieuwste Songs", - "ButtonExit": "Afsluiten", - "ButtonConvertMedia": "Converteer media", - "AWindowsServiceHasBeenInstalled": "Er is een Windows service ge\u00efnstalleerd.", "HeaderRecentlyPlayed": "Recent afgespeeld", - "LabelTimeLimitHours": "Tijdslimiet (uren):", - "WindowsServiceIntro1": "Emby Server draait normaalgesproken als een desktop applicatie met een icoon in het systeemvaak, maar als u dat wilt kunt u het als een achtergrondproces draaien. Het kan daarvoor worden gestart vanuit het Windows Services configuratiescherm.", "HeaderFrequentlyPlayed": "Vaak afgespeeld", - "ButtonOrganize": "Organiseren", - "WindowsServiceIntro2": "Wanneer u de Windows-service gebruikt, dan dient u er rekening mee te houden dat het niet op hetzelfde moment als de desktop applicatie kan worden uitgevoerd. Het is daarom vereist de desktop applicatie eerst af te sluiten voordat u de service gebruikt. De service moet worden geconfigureerd met beheerdersrechten via het configuratie scherm. Houd er rekening mee dat op dit moment de service niet automatisch kan worden bijgewerkt, zodat nieuwe versies dus handmatige interactie vereisen.", "DevBuildWarning": "Development versies zijn geheel voor eigen risico. Deze versies worden vaak vrijgegeven en zijn niet getest! De Applicatie kan crashen en sommige functies kunnen mogelijk niet meer werken.", - "HeaderGrownupsOnly": "Alleen voor volwassenen!", - "WizardCompleted": "Dat is alles wat we nu nodig hebben. Emby is begonnen met het verzamelen van informatie over uw media bibliotheek. Probeer sommige van onze apps en klik dan Finish<\/b> om het Server Dashboard<\/b> te bekijken.", - "ButtonJoinTheDevelopmentTeam": "Word lid van het Ontwikkel Team", - "LabelConfigureSettings": "Configureer instellingen", - "LabelEnableVideoImageExtraction": "Videobeeld uitpakken inschakelen", - "DividerOr": "-- of --", - "OptionEnableAccessToAllLibraries": "Toegang tot alle bibliotheken inschakelen", - "VideoImageExtractionHelp": "Voor video's die nog geen afbeeldingen hebben, en waarvoor geen afbeeldingen op Internet te vinden zijn. Dit voegt extra tijd toe aan de oorspronkelijke bibliotheek scan, maar resulteert in een mooiere weergave.", - "LabelEnableChapterImageExtractionForMovies": "Hoofdstuk afbeeldingen uitpakken voor Films", - "HeaderInstalledServices": "Ge\u00efnstalleerde diensten", - "LabelChapterImageExtractionForMoviesHelp": "Uitpakken van hoofdstuk afbeeldingen biedt clients grafische scene selectie menu's. Het proces kan langzaam en processor intensief zijn en kan enkele gigabytes aan vrije ruimte vereisen. Het draait 's nachts als geplande taak, hoewel dit aangepast kan worden bij de geplande taken. Het wordt niet aanbevolen om deze taak tijdens piekuren te draaien.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "Voor toegang toets uw pincode", - "LabelEnableAutomaticPortMapping": "Automatische poorttoewijzing inschakelen", - "HeaderSupporterBenefits": "Voordelen voor Supporters", - "LabelEnableAutomaticPortMappingHelp": "UPnP zorgt voor geautomatiseerde configuratie van de router voor gemakkelijke toegang op afstand. Dit werkt mogelijk niet met sommige routers.", - "HeaderAvailableServices": "Beschikbare diensten", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Klik op het slotje in de rechterbenedenhoek om te configureren of blijf in de kindermodus. Uw pincode is vereist.", - "ButtonCancel": "Annuleren", - "HeaderAddUser": "Gebruiker Toevoegen", - "HeaderSetupLibrary": "Stel uw mediabibliotheek in", - "MessageNoServicesInstalled": "Er zijn momenteel geen diensten ge\u00efnstalleerd.", - "ButtonAddMediaFolder": "Mediamap toevoegen", - "ButtonConfigurePinCode": "Configureer pincode", - "LabelFolderType": "Maptype:", - "LabelAddConnectSupporterHelp": "Om een \u200b\u200bgebruiker toe te voegen die niet in de lijst voorkomt, moet u eerst hun account koppelen aan Emby Connect vanuit hun gebruikersprofiel pagina.", - "ReferToMediaLibraryWiki": "Raadpleeg de mediabibliotheek wiki.", - "HeaderAdultsReadHere": "Volwassenen Lees hier!", - "LabelCountry": "Land:", - "LabelLanguage": "Taal:", - "HeaderPreferredMetadataLanguage": "Gewenste metadata taal:", - "LabelEnableEnhancedMovies": "Verbeterde film displays inschakelen", - "LabelSaveLocalMetadata": "Sla afbeeldingen en metadata op in de mediamappen", - "LabelSaveLocalMetadataHelp": "Door afbeeldingen en metadata op te slaan in de mediamappen kunnen ze makkelijker worden gevonden en bewerkt.", - "LabelDownloadInternetMetadata": "Download afbeeldingen en metadata van het internet", - "LabelEnableEnhancedMoviesHelp": "Wanneer ingeschakeld, zullen films worden weergegeven als mappen inclusief trailers, extra's, cast & crew en andere gerelateerde inhoud.", - "HeaderDeviceAccess": "Apparaat Toegang", - "LabelDownloadInternetMetadataHelp": "Emby Server kan informatie downloaden van uw media om rijke presentaties mogelijk te maken.", - "OptionThumb": "Miniatuur", - "LabelExit": "Afsluiten", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Bezoek Gemeenschap", "LabelVideoType": "Video Type:", "OptionBluray": "Blu-ray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standaard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Toegang vanaf alle apparaten toestaan", - "LabelBrowseLibrary": "Bekijk bibliotheek", "LabelFeatures": "Kenmerken:", - "DeviceAccessHelp": "Dit geldt alleen voor apparaten die uniek ge\u00efdentificeerd kunnen worden en voorkomen niet toegang via een webbrowser. Filteren van apparaat toegang voor gebruikers voorkomt dat zij nieuwe apparaten gebruiken totdat deze hier zijn goedgekeurd.", - "ChannelAccessHelp": "Selecteer de kanalen om te delen met deze gebruiker. Beheerders kunnen alle kanalen bewerken met de metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Versie:", + "LabelLastResult": "Laatste resultaat:", "OptionHasSubtitles": "Ondertitels", - "LabelOpenLibraryViewer": "Open bibliotheek verkenner", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Server herstarten", "OptionHasThemeSong": "Thema Song", - "LabelShowLogWindow": "Toon log venster", "OptionHasThemeVideo": "Thema Video", - "LabelPrevious": "Vorige", "TabMovies": "Films", - "LabelFinish": "Voltooien", "TabStudios": "Studio's", - "FolderTypeMixed": "Gemengde inhoud", - "LabelNext": "Volgende", "TabTrailers": "Trailers", - "FolderTypeMovies": "Films", - "LabelYoureDone": "Gereed!", + "LabelArtists": "Artiest:", + "LabelArtistsHelp": "Scheidt meerdere met een ;", "HeaderLatestMovies": "Nieuwste Films", - "FolderTypeMusic": "Muziek", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Vereist een Supporter lidmaatschap", "HeaderLatestTrailers": "Nieuwste Trailers", - "FolderTypeAdultVideos": "Adult video's", "OptionHasSpecialFeatures": "Extra's", - "FolderTypePhotos": "Foto's", - "ButtonSubmit": "Uitvoeren", - "HeaderEnjoyDayTrial": "Geniet van een 14-daagse gratis proefversie", "OptionImdbRating": "IMDb Waardering", - "FolderTypeMusicVideos": "Muziek video's", - "LabelFailed": "Mislukt", "OptionParentalRating": "Kijkwijzer classificatie", - "FolderTypeHomeVideos": "Thuis video's", - "LabelSeries": "Series:", "OptionPremiereDate": "Premi\u00e8re Datum", - "FolderTypeGames": "Games", - "ButtonRefresh": "Vernieuwen", "TabBasic": "Basis", - "FolderTypeBooks": "Boeken", - "HeaderPlaybackSettings": "Afspeel instellingen", "TabAdvanced": "Geavanceerd", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Wordt vervolgd...", "OptionEnded": "Gestopt", - "HeaderSync": "Sync", - "TabPreferences": "Voorkeuren", "HeaderAirDays": "Uitzend Dagen", - "OptionReleaseDate": "Uitgave datum", - "TabPassword": "Wachtwoord", - "HeaderEasyPinCode": "Eenvoudige Pincode", "OptionSunday": "Zondag", - "LabelArtists": "Artiest:", - "TabLibraryAccess": "Bibliotheek toegang", - "TitleAutoOrganize": "Automatisch Organiseren", "OptionMonday": "Maandag", - "LabelArtistsHelp": "Scheidt meerdere met een ;", - "TabImage": "Afbeelding", - "TabActivityLog": "Activiteiten Logboek", "OptionTuesday": "Dinsdag", - "ButtonAdvancedRefresh": "Geavanceerd vernieuwen", - "TabProfile": "Profiel", - "HeaderName": "Naam", "OptionWednesday": "Woensdag", - "LabelDisplayMissingEpisodesWithinSeasons": "Toon ontbrekende afleveringen binnen een seizoen", - "HeaderDate": "Datum", "OptionThursday": "Donderdag", - "LabelUnairedMissingEpisodesWithinSeasons": "Toon komende afleveringen binnen een seizoen", - "HeaderSource": "Bron", "OptionFriday": "Vrijdag", - "ButtonAddLocalUser": "Voeg lokale gebruiker toe", - "HeaderVideoPlaybackSettings": "Video afspeel instellingen", - "HeaderDestination": "Doel", "OptionSaturday": "Zaterdag", - "LabelAudioLanguagePreference": "Voorkeurs taal geluid:", - "HeaderProgram": "Programma", "HeaderManagement": "Beheer", - "OptionMissingTmdbId": "TMDB Id ontbreekt", - "LabelSubtitleLanguagePreference": "Voorkeurs taal ondertiteling:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "IMDb Id ontbreekt", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Compleet", "OptionMissingTvdbId": "TheTVDB Id ontbreekt", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Snel start gids", - "TabProfiles": "Profielen", "OptionMissingOverview": "Overzicht ontbreekt", - "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Opdrachten", - "TabSecurity": "Beveiliging", - "HeaderVideo": "Video", - "LabelSkipped": "Overgeslagen", "OptionFileMetadataYearMismatch": "Jaartal in Bestands\/metadata komt niet overeen", - "ButtonSelect": "Selecteer", - "ButtonAddUser": "Gebruiker toevoegen", - "HeaderEpisodeOrganization": "Afleveringen Organisatie", "TabGeneral": "Algemeen", - "ButtonGroupVersions": "Groepeer Versies", - "TabGuide": "Gids", - "ButtonSave": "Opslaan", "TitleSupport": "Ondersteuning", - "PismoMessage": "Pismo File Mount (met een geschonken licentie).", - "TabChannels": "Kanalen", - "ButtonResetPassword": "Wachtwoord resetten", - "LabelSeasonNumber": "Seizoen nummer:", + "LabelSeasonNumber": "Seizoensnummer", "TabLog": "Logboek", - "PleaseSupportOtherProduces": "Steun A.U.B. ook de andere gratis producten die wij gebruiken:", - "HeaderChannels": "Kanalen", - "LabelNewPassword": "Nieuw wachtwoord:", - "LabelEpisodeNumber": "Aflevering nummer:", + "LabelEpisodeNumber": "Afleveringsnummer", "TabAbout": "Over", - "VersionNumber": "Versie {0}", - "TabRecordings": "Opnamen", - "LabelNewPasswordConfirm": "Bevestig nieuw wachtwoord:", - "LabelEndingEpisodeNumber": "Laatste aflevering nummer:", "TabSupporterKey": "Supporter Sleutel", - "TabPaths": "Paden", - "TabScheduled": "Gepland", - "HeaderCreatePassword": "Maak wachtwoord", - "LabelEndingEpisodeNumberHelp": "Alleen vereist voor bestanden met meerdere afleveringen", "TabBecomeSupporter": "Word Supporter", + "ProjectHasCommunity": "Emby heeft een bloeiende gemeenschap van gebruikers en medewerkers.", + "CheckoutKnowledgeBase": "Bekijk onze knowledge base om u te helpen het meeste uit Emby halen.", + "SearchKnowledgeBase": "Zoek in de Kennisbank", + "VisitTheCommunity": "Bezoek de Gemeenschap", + "VisitProjectWebsite": "Bezoek de Emby Website", + "VisitProjectWebsiteLong": "Bezoek de Emby Web-website voor het laatste nieuws en blijf op de hoogte via het ontwikkelaars blog.", + "OptionHideUser": "Verberg deze gebruiker op de aanmeldschermen", + "OptionHideUserFromLoginHelp": "Handig voor piv\u00e9 of verborgen beheer accounts. De gebruiker zal handmatig m.b.v. gebruikersnaam en wachtwoord aan moeten melden.", + "OptionDisableUser": "Dit account uitschakelen", + "OptionDisableUserHelp": "Indien uitgeschakeld zal de server geen verbindingen van deze gebruiker toestaan. Bestaande verbindingen zullen abrupt worden be\u00ebindigd.", + "HeaderAdvancedControl": "Geavanceerd Beheer", + "LabelName": "Naam:", + "ButtonHelp": "Hulp", + "OptionAllowUserToManageServer": "Deze gebruiker kan de server beheren", + "HeaderFeatureAccess": "Functie toegang", + "OptionAllowMediaPlayback": "Media afspelen toestaan", + "OptionAllowBrowsingLiveTv": "Live TV toegang toestaan", + "OptionAllowDeleteLibraryContent": "Media verwijderen toestaan", + "OptionAllowManageLiveTv": "Live TV opname beheer toestaan", + "OptionAllowRemoteControlOthers": "Op afstand besturen van andere gebruikers toestaan", + "OptionAllowRemoteSharedDevices": "Op afstand besturen van gedeelde apparaten toestaan", + "OptionAllowRemoteSharedDevicesHelp": "Dlna apparaten worden als gedeeld apparaat gezien totdat een gebruiker deze gaat gebruiken.", + "OptionAllowLinkSharing": "Sta social media delen toe", + "OptionAllowLinkSharingHelp": "Alleen webpagina's met media-informatie worden gedeeld. Media-bestanden worden nooit publiekelijk gedeeld. Aandelen zijn beperkt in de tijd en zal verlopen op basis van uw instellingen voor delen server.", + "HeaderSharing": "Delen", + "HeaderRemoteControl": "Gebruik op afstand", + "OptionMissingTmdbId": "TMDB Id ontbreekt", + "OptionIsHD": "HD", + "OptionIsSD": "SD", + "OptionMetascore": "Metascore", + "ButtonSelect": "Selecteer", + "ButtonGroupVersions": "Groepeer Versies", + "ButtonAddToCollection": "Toevoegen aan Collectie", + "PismoMessage": "Pismo File Mount (met een geschonken licentie).", + "TangibleSoftwareMessage": "Gebruik makend van concrete oplossingen als Java \/ C converters door een geschonken licentie.", + "HeaderCredits": "Credits", + "PleaseSupportOtherProduces": "Steun a.u.b. ook andere gratis producten die wij gebruiken:", + "VersionNumber": "Versie {0}", + "TabPaths": "Paden", "TabServer": "Server", - "TabSeries": "Serie", - "LabelCurrentPassword": "Huidig wachtwoord:", - "HeaderSupportTheTeam": "Ondersteun het Emby Team", "TabTranscoding": "Transcoderen", - "ButtonCancelRecording": "Opname annuleren", - "LabelMaxParentalRating": "Maximaal toegestane kijkwijzer classificatie:", - "LabelSupportAmount": "Bedrag (USD)", - "CheckoutKnowledgeBase": "Bekijk onze knowledge base om u te helpen het meeste uit Emby halen.", "TitleAdvanced": "Geavanceerd", + "LabelAutomaticUpdateLevel": "Niveau automatische update", + "OptionRelease": "Offici\u00eble Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Instabiel)", + "LabelAllowServerAutoRestart": "Automatisch herstarten van de server toestaan om updates toe te passen", + "LabelAllowServerAutoRestartHelp": "De server zal alleen opnieuw opstarten tijdens inactieve perioden, wanneer er geen gebruikers actief zijn.", + "LabelEnableDebugLogging": "Foutopsporings logboek inschakelen", + "LabelRunServerAtStartup": "Start server bij het aanmelden", + "LabelRunServerAtStartupHelp": "Dit start de applicatie als pictogram in het systeemvak tijdens het aanmelden van Windows. Om de Windows-service te starten, schakelt u deze uit en start u de service via het Configuratiescherm van Windows. Houd er rekening mee dat u de service en de applicatie niet tegelijk kunt uitvoeren, u moet dus eerst de applicatie sluiten alvorens u de service start.", + "ButtonSelectDirectory": "Selecteer map", + "LabelCustomPaths": "Geef aangepaste paden op waar gewenst. Laat velden leeg om de standaardinstellingen te gebruiken.", + "LabelCachePath": "Cache pad:", + "LabelCachePathHelp": "Deze locatie bevat server cache-bestanden, zoals afbeeldingen.", + "LabelImagesByNamePath": "Afbeeldingen op naam pad:", + "LabelImagesByNamePathHelp": "Geef een locatie op voor gedownloade afbeeldingen van acteurs, genre en studio.", + "LabelMetadataPath": "Metadata pad:", + "LabelMetadataPathHelp": "Geef een aangepaste locatie op voor gedownloade afbeeldingen en metadata, indien niet opgeslagen in mediamappen.", + "LabelTranscodingTempPath": "Tijdelijk transcodeer pad:", + "LabelTranscodingTempPathHelp": "Deze map bevat werkbestanden die worden gebruikt door de transcoder. Geef een eigen locatie op of laat het leeg om de standaardlocatie te gebruiken.", + "TabBasics": "Basis", + "TabTV": "TV", + "TabGames": "Games", + "TabMusic": "Muziek", + "TabOthers": "Overig", + "HeaderExtractChapterImagesFor": "Hoofdstuk afbeeldingen uitpakken voor:", + "OptionMovies": "Films", + "OptionEpisodes": "Afleveringen", + "OptionOtherVideos": "Overige Video's", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Automatische updates inschakelen", + "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.", + "LabelFanartApiKey": "Persoonlijke api sleutel:", + "LabelFanartApiKeyHelp": "Verzoeken om fanart zonder een persoonlijke API sleutel geven resultaten terug die meer dan 7 dagen geleden goedgekeurd zijn. Een persoonlijke API sleutel brengt dat terug tot 48 uur en als u ook een fanart VIP lid bent wordt dit tot 10 minuten teruggebracht.", + "ExtractChapterImagesHelp": "Uitpakken van hoofdstuk afbeeldingen biedt clients grafische scene selectie menu's. Het proces kan langzaam en processor intensief zijn en kan enkele gigabytes aan vrije ruimte vereisen. Het draait wanneer video's worden gevonden en als een voor 's nachts geplande taak. Het schema kan bij de geplande taken worden aangepast. Het wordt niet aanbevolen om deze taak tijdens piekuren te draaien.", + "LabelMetadataDownloadLanguage": "Voorkeurs taal:", + "ButtonAutoScroll": "Auto-scroll", + "LabelImageSavingConvention": "Afbeelding opslag conventie:", + "LabelImageSavingConventionHelp": "Emby herkent beelden van de meeste grote media-applicaties Het kiezen van uw download conventie is handig als u ook gebruik maakt van andere producten.", + "OptionImageSavingCompatible": "Compatible - Empty\/Kodi\/Plex", + "OptionImageSavingStandard": "Standaard - MB2", + "ButtonSignIn": "Aanmelden", + "TitleSignIn": "Aanmelden", + "HeaderPleaseSignIn": "Aanmelden", + "LabelUser": "Gebruiker:", + "LabelPassword": "Wachtwoord:", + "ButtonManualLogin": "Handmatige Aanmelding", + "PasswordLocalhostMessage": "Wachtwoorden zijn niet vereist bij het aanmelden van localhost.", + "TabGuide": "Gids", + "TabChannels": "Kanalen", + "TabCollections": "Collecties", + "HeaderChannels": "Kanalen", + "TabRecordings": "Opnamen", + "TabScheduled": "Gepland", + "TabSeries": "Serie", + "TabFavorites": "Favorieten", + "TabMyLibrary": "Mijn bibliotheek", + "ButtonCancelRecording": "Opname annuleren", "HeaderPrePostPadding": "Vooraf\/Achteraf insteling", - "MaxParentalRatingHelp": "Media met een hogere classificatie wordt niet weergegeven", - "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.", - "SearchKnowledgeBase": "Zoeken in de Kennisbank", - "LabelAutomaticUpdateLevel": "Automatische update niveau", "LabelPrePaddingMinutes": "Tijd voor het programma (Minuten):", - "LibraryAccessHelp": "Selecteer de mediamappen om met deze gebruiker te delen. Beheerders kunnen alle mappen bewerken via de metadata manager.", - "ButtonEnterSupporterKey": "Voer supporter sleutel in", - "VisitTheCommunity": "Bezoek de Gemeenschap", - "LabelAllowServerAutoRestart": "Automatisch herstarten van de server toestaan om updates toe te passen", "OptionPrePaddingRequired": "Vooraf opnemen is vereist voor opname", - "OptionNoSubtitles": "Geen ondertitels", - "DonationNextStep": "Eenmaal voltooid gaat u terug en voert u de supporter sleutel in die u per e-mail zult ontvangen.", - "LabelAllowServerAutoRestartHelp": "De server zal alleen opnieuw opstarten tijdens inactieve perioden, wanneer er geen gebruikers actief zijn.", "LabelPostPaddingMinutes": "Tijd na het programma (Minuten):", - "AutoOrganizeHelp": "Automatisch organiseren monitort de download mappen op nieuwe bestanden en verplaatst ze naar uw mediamappen.", - "LabelEnableDebugLogging": "Foutopsporings logboek inschakelen", "OptionPostPaddingRequired": "Langer opnemen is vereist voor opname", - "AutoOrganizeTvHelp": "TV bestanden Organiseren voegt alleen afleveringen toe aan de bestaande series. Het zal geen nieuwe serie mappen aanmaken.", - "OptionHideUser": "Verberg deze gebruiker op de aanmeldschermen", - "LabelRunServerAtStartup": "Start server bij het aanmelden", "HeaderWhatsOnTV": "Nu te zien", - "ButtonNew": "Nieuw", - "OptionEnableEpisodeOrganization": "Nieuwe aflevering organisatie inschakelen", - "OptionDisableUser": "Dit account uitschakelen", - "LabelRunServerAtStartupHelp": "Dit start de applicatie als pictogram in het systeemvak tijdens het aanmelden van Windows. Om de Windows-service te starten, schakelt u deze uit en start u de service via het Configuratiescherm van Windows. Houd er rekening mee dat u de service en de applicatie niet tegelijk kunt uitvoeren, u moet dus eerst de applicatie sluiten alvorens u de service start.", "HeaderUpcomingTV": "Straks", - "TabMetadata": "Metagegevens", - "LabelWatchFolder": "Bewaakte map:", - "OptionDisableUserHelp": "Indien uitgeschakeld zal de server geen verbindingen van deze gebruiker toestaan. Bestaande verbindingen zullen abrupt worden be\u00ebindigd.", - "ButtonSelectDirectory": "Selecteer map", "TabStatus": "Status", - "TabImages": "Afbeeldingen", - "LabelWatchFolderHelp": "De server zal deze map doorzoeken tijdens de geplande taak voor 'Organiseren van nieuwe mediabestanden'", - "HeaderAdvancedControl": "Geavanceerd Beheer", - "LabelCustomPaths": "Geef aangepaste paden op waar gewenst. Laat velden leeg om de standaardinstellingen te gebruiken.", "TabSettings": "Instellingen", - "TabCollectionTitles": "Titels", - "TabPlaylist": "Afspeellijst", - "ButtonViewScheduledTasks": "Bekijk geplande taken", - "LabelName": "Naam:", - "LabelCachePath": "Cache pad:", "ButtonRefreshGuideData": "Gidsgegevens Vernieuwen", - "LabelMinFileSizeForOrganize": "Minimale bestandsgrootte (MB):", - "OptionAllowUserToManageServer": "Deze gebruiker kan de server beheren", - "LabelCachePathHelp": "Deze locatie bevat server cache-bestanden, zoals afbeeldingen.", + "ButtonRefresh": "Vernieuwen", + "ButtonAdvancedRefresh": "Geavanceerd vernieuwen", "OptionPriority": "Prioriteit", - "ButtonRemove": "Verwijderen", - "LabelMinFileSizeForOrganizeHelp": "Kleinere bestanden dan dit formaat zullen worden genegeerd.", - "HeaderFeatureAccess": "Functie toegang", - "LabelImagesByNamePath": "Afbeeldingen op naam pad:", "OptionRecordOnAllChannels": "Op alle kanalen opnemen", + "OptionRecordAnytime": "Op elk tijdstip opnemen", + "OptionRecordOnlyNewEpisodes": "Alleen nieuwe afleveringen opnemen", + "HeaderRepeatingOptions": "Herhaling opties", + "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.", + "OptionAutomatic": "Automatisch", + "HeaderServices": "Diensten", + "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": "Trigger Toevoegen", + "HeaderAddScheduledTaskTrigger": "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 client in staat stelt om toegang te krijgen. Doordat de client 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 client 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 genereren en wordt alleen aanbevolen wanneer het nodig is voor het oplossen van problemen.", "EditCollectionItemsHelp": "Toevoegen of verwijderen van alle films, series, albums, boeken of games die u wilt groeperen in deze collectie.", - "TabAccess": "Toegang", - "LabelSeasonFolderPattern": "Mapnaam voor Seizoenen:", - "OptionAllowMediaPlayback": "Media afspelen toestaan", - "LabelImagesByNamePathHelp": "Geef een locatie op voor gedownloade afbeeldingen van acteurs, genre en studio.", - "OptionRecordAnytime": "Op elk tijdstip opnemen", "HeaderAddTitles": "Titels toevoegen", - "OptionAllowBrowsingLiveTv": "Live TV toegang toestaan", - "LabelMetadataPath": "Metadata pad:", - "OptionRecordOnlyNewEpisodes": "Alleen nieuwe afleveringen opnemen", - "LabelEnableDlnaPlayTo": "DLNA Afspelen met inschakelen", - "OptionAllowDeleteLibraryContent": "Media verwijderen toestaan", - "LabelMetadataPathHelp": "Geef een aangepaste locatie op voor gedownloade afbeeldingen en metadata, indien niet opgeslagen in mediamappen.", - "HeaderDays": "Dagen", + "LabelEnableDlnaPlayTo": "DLNA Afspelen Met inschakelen", "LabelEnableDlnaPlayToHelp": "Emby kan apparaten detecteren binnen uw netwerk en biedt de mogelijkheid om ze op afstand te controleren", - "OptionAllowManageLiveTv": "Sta Live TV opname beheer toe", - "LabelTranscodingTempPath": "Tijdelijk Transcodeer pad:", - "HeaderActiveRecordings": "Actieve Opnames", "LabelEnableDlnaDebugLogging": "DLNA foutopsporings logboek inschakelen", - "OptionAllowRemoteControlOthers": "Op afstand besturen van andere gebruikers toestaan", - "LabelTranscodingTempPathHelp": "Deze map bevat werkbestanden die worden gebruikt door de transcoder. Geef een eigen locatie op of laat leeg om de standaardlocatie te gebruiken.", - "HeaderLatestRecordings": "Nieuwe Opnames", "LabelEnableDlnaDebugLoggingHelp": "Dit zal grote logboekbestanden maken en mag alleen worden gebruikt als dat nodig is voor het oplossen van problemen.", - "TabBasics": "Basis", - "HeaderAllRecordings": "Alle Opnames", "LabelEnableDlnaClientDiscoveryInterval": "Interval voor het zoeken naar clients (seconden)", - "LabelEnterConnectUserName": "Gebruikersnaam of email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Afspelen", - "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bepalend voor de duur in seconden tussen SSDP zoekopdrachten uitgevoerd door Emby.", - "LabelEnterConnectUserNameHelp": "Dit is uw Emby Online account naam of wachtwoord.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Bewerken", + "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bepaalt de duur in seconden tussen SSDP zoekopdrachten uitgevoerd door Emby.", "HeaderCustomDlnaProfiles": "Aangepaste profielen", - "TabMusic": "Muziek", - "LabelVersion": "Versie:", - "ButtonRecord": "Opnemen", "HeaderSystemDlnaProfiles": "Systeem Profielen", - "TabOthers": "Overig", - "LabelLastResult": "Laatste resultaat:", - "ButtonDelete": "Verwijderen", "CustomDlnaProfilesHelp": "Maak een aangepast profiel om een \u200b\u200bnieuw apparaat aan te maken of overschrijf een systeemprofiel.", - "HeaderExtractChapterImagesFor": "Hoofdstuk afbeeldingen uitpakken voor:", - "OptionRecordSeries": "Series Opnemen", "SystemDlnaProfilesHelp": "Systeem profielen zijn alleen-lezen. Om een \u200b\u200bsysteem profiel te overschrijven, maakt u een aangepast profiel gericht op hetzelfde apparaat.", - "OptionMovies": "Films", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Afleveringen", "TabHome": "Start", - "OptionOtherVideos": "Overige Video's", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "Systeem Paden", - "LabelAutomaticUpdatesTmdb": "Schakel de automatische update in van TheMovieDB.org", "LinkCommunity": "Gemeenschap", - "LabelAutomaticUpdatesTvdb": "Schakel de automatische update in van TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan fanart.tv. Bestaande afbeeldingen zullen niet worden vervangen.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentatie", - "LabelAutomaticUpdatesTmdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheMovieDB.org. Bestaande afbeeldingen zullen niet worden vervangen.", "LabelFriendlyServerName": "Aangepaste servernaam", - "LabelAutomaticUpdatesTvdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheTVDB.com. Bestaande afbeeldingen zullen niet worden vervangen.", - "OptionFolderSort": "Mappen", "LabelFriendlyServerNameHelp": "Deze naam wordt gebruikt om deze server te identificeren. Indien leeg gelaten, zal de naam van de computer worden gebruikt.", - "LabelConfigureServer": "Emby Configureren", - "ExtractChapterImagesHelp": "Uitpakken van hoofdstuk afbeeldingen biedt clients grafische scene selectie menu's. Het proces kan langzaam en processor intensief zijn en kan enkele gigabytes aan vrije ruimte vereisen. Het draait wanneer video's worden gevonden en als een voor 's nachts geplande taak. Het schema kan bij de geplande taken worden aangepast. Het wordt niet aanbevolen om deze taak tijdens piekuren te draaien.", - "OptionBackdrop": "Achtergrond", "LabelPreferredDisplayLanguage": "Voorkeurs weergavetaal:", - "LabelMetadataDownloadLanguage": "Voorkeurs taal:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Vertaling van Emby is een voortdurend project en is nog niet afgerond.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Aantal dagen van de gids om te downloaden:", "LabelReadHowYouCanContribute": "Lees meer over hoe u kunt bijdragen.", + "HeaderNewCollection": "Nieuwe Collectie", + "ButtonSubmit": "Uitvoeren", + "ButtonCreate": "Cre\u00ebren", + "LabelCustomCss": "Aangepaste css:", + "LabelCustomCssHelp": "Uw eigen aangepaste css voor de web-interface toepassen.", + "LabelLocalHttpServerPortNumber": "Lokale http poort nummer:", + "LabelLocalHttpServerPortNumberHelp": "Het tcp poort nummer waar Emby's http server aan moet verbinden.", + "LabelPublicHttpPort": "Publieke http poort nummer:", + "LabelPublicHttpPortHelp": "Het publieke poortnummer dat moet worden toegewezen aan de lokale http poort.", + "LabelPublicHttpsPort": "Publieke https poort nummer:", + "LabelPublicHttpsPortHelp": "Het publieke poortnummer dat moet worden toegewezen aan de lokale https poort.", + "LabelEnableHttps": "Rapporteer https als extern adres", + "LabelEnableHttpsHelp": "Indien ingeschakeld, zal de server een https url rapporteren aan de client als het externe adres.", + "LabelHttpsPort": "Lokale https poort nummer:", + "LabelHttpsPortHelp": "Het tcp poort nummer waar Emby's http server aan moet verbinden.", + "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 werkt niet op alle routers.", + "LabelExternalDDNS": "Extern WAN Adres:", + "LabelExternalDDNSHelp": "Als u een dynamische DNS heeft moet dit hier worden ingevoerd. Emby apps zullen het gebruiken als externe verbinding. Laat leeg voor automatische detectie", + "TabResume": "Hervatten", + "TabWeather": "Weer", + "TitleAppSettings": "App Instellingen", + "LabelMinResumePercentage": "Percentage (min.):", + "LabelMaxResumePercentage": "Percentage (max.):", + "LabelMinResumeDuration": "Minimale duur (seconden):", + "LabelMinResumePercentageHelp": "Titels worden ingesteld als onafgespeeld indien gestopt voor deze tijd", + "LabelMaxResumePercentageHelp": "Titels worden ingesteld als volledig afgespeeld indien gestopt na deze tijd", + "LabelMinResumeDurationHelp": "Titels korter dan 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:", + "LabelEndingEpisodeNumber": "Laatste aflevering nummer:", + "LabelEndingEpisodeNumberHelp": "Alleen vereist voor bestanden met meerdere afleveringen", + "HeaderSupportTheTeam": "Ondersteun het Emby Team", + "LabelSupportAmount": "Bedrag (USD)", + "HeaderSupportTheTeamHelp": "Door te doneren draagt u bij 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 de supporter sleutel in die u per e-mail zult ontvangen.", + "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", + "HeaderHelpImproveProject": "Help Emby te Verbeteren", + "HeaderRunningTasks": "Actieve taken", + "HeaderActiveDevices": "Actieve apparaten", + "HeaderPendingInstallations": "In afwachting van installaties", + "HeaderServerInformation": "Server informatie", "ButtonRestartNow": "Nu opnieuw opstarten", - "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.", - "ButtonOptions": "Opties", - "NotificationOptionApplicationUpdateInstalled": "Programma-update ge\u00efnstalleerd", "ButtonRestart": "Herstart", - "LabelChannelDownloadPath": "Kanaal inhoud download pad:", - "NotificationOptionPluginUpdateInstalled": "Plug-in-update ge\u00efnstalleerd", "ButtonShutdown": "Afsluiten", - "LabelChannelDownloadPathHelp": "Geef een eigen download pad op als dit gewenst is, leeglaten voor dowloaden naar de interne programa data map.", - "NotificationOptionPluginInstalled": "Plug-in ge\u00efnstalleerd", "ButtonUpdateNow": "Nu bijwerken", - "LabelChannelDownloadAge": "Verwijder inhoud na: (dagen)", - "NotificationOptionPluginUninstalled": "Plug-in verwijderd", + "TabHosting": "Hosting", "PleaseUpdateManually": "Sluit de server a.u.b. af en werk handmatig bij.", - "LabelChannelDownloadAgeHelp": "Gedownloade inhoud die ouder is zal worden verwijderd. Afspelen via internet streaming blijft mogelijk.", - "NotificationOptionTaskFailed": "Mislukken van de geplande taak", "NewServerVersionAvailable": "Er is een nieuwe versie van Emby Server beschikbaar!", - "ChannelSettingsFormHelp": "Installeer kanalen zoals Trailers en Vimeo in de Plug-in catalogus.", - "NotificationOptionInstallationFailed": "Mislukken van de installatie", "ServerUpToDate": "Emby Server is up-to-date", + "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 u 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 voordelen die de gemeenschap voor Emby heeft ontwikkeld.", + "MessageInvalidKey": "Supporters sleutel ontbreekt of is ongeldig.", + "ErrorMessageInvalidKey": "Om premium inhoud te registreren moet u ook Emby Supporter zijn. Doneer alstublieft en ondersteun daarmee de voortdurende ontwikkeling van het kernproduct. Bedankt.", + "HeaderDisplaySettings": "Weergave-instellingen", + "TabPlayTo": "Afspelen met", + "LabelEnableDlnaServer": "DLNA server inschakelen", + "LabelEnableDlnaServerHelp": "Sta UPnP apparaten op uw netwerk toe om door Emby inhoud te bladeren en af te spelen.", + "LabelEnableBlastAliveMessages": "Alive berichten zenden", + "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 toont de client een aanmeldscherm 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)", + "NotificationOptionCameraImageUploaded": "Camera afbeelding ge\u00fcpload", + "NotificationOptionUserLockedOut": "Gebruiker uitgesloten", + "HeaderSendNotificationHelp": "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", - "LabelComponentsUpdated": "De volgende onderdelen zijn ge\u00efnstalleerd of bijgewerkt:", + "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", - "MessagePleaseRestartServerToFinishUpdating": "Herstart de server om de updates af te ronden en te activeren.", - "LabelAvailableTokens": "Beschikbaar tokens:", "ButtonPrevious": "Vorige", - "LabelSkipIfGraphicalSubsPresent": "Overslaan als de video al grafische ondertitels bevat", - "LabelSkipIfGraphicalSubsPresentHelp": "Tekstversies van ondertitels opslaan zal video's effici\u00ebnter overbrengen en de kans op transcodering van video's verkleinen.", + "LabelGroupMoviesIntoCollections": "Groepeer films in collecties", + "LabelGroupMoviesIntoCollectionsHelp": "Bij de weergave van film lijsten, zullen films die tot een collectie behoren 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": "Collecties", "LabelProfileCodecsHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle codecs.", - "LabelSkipIfAudioTrackPresent": "Overslaan als het standaard audio spoor overeenkomt met de taal van de download", "LabelProfileContainersHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uitvinken om ervoor te zorgen dat alle video's ondertitels krijgen, ongeacht de gesproken taal.", "HeaderResponseProfile": "Antwoord Profiel", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Emby te Verbeteren", + "LabelPersonRole": "Rol:", + "LabelPersonRoleHelp": "Rol is alleen van toepassing op acteurs.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Afspelen Profiel", - "ButtonClose": "Sluiten", - "TabView": "Weergave", - "TabSort": "Sorteren", "HeaderTranscodingProfile": "Direct Afspelen Profiel", - "HeaderBecomeProjectSupporter": "Word Emby Supporter", - "OptionNone": "Geen", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "Weergave", "HeaderCodecProfile": "Codec Profiel", - "HeaderReports": "Rapporten", - "LabelPageSize": "Itemlimiet:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "Weergave:", - "ViewTypePlaylists": "Afspeellijsten", - "HeaderPreferences": "Voorkeuren", "HeaderContainerProfile": "Container Profiel", - "MessageLoadingChannels": "Laden kanaal inhoud ...", - "ButtonMarkRead": "Markeren als gelezen", "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.", - "LabelAlbumArtists": "Album artiesten:", - "OptionDefaultSort": "Standaard", - "OptionCommunityMostWatchedSort": "Meest bekeken", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video afspelen gestopt", "OptionProfileAudio": "Audio", - "HeaderMyViews": "Mijn Overzichten", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio afspelen gestopt", - "ButtonVolumeUp": "Volume omhoog", - "OptionLatestTvRecordings": "Nieuwste opnames", - "NotificationOptionGamePlaybackStopped": "Afspelen spel gestopt", - "ButtonVolumeDown": "Volume omlaag", - "ButtonMute": "Dempen", "OptionProfilePhoto": "Foto", "LabelUserLibrary": "Gebruikers Bibliotheek:", "LabelUserLibraryHelp": "Selecteer welke gebruikers bibliotheek weergegeven moet worden op het apparaat. Laat leeg standaardinstelling te gebruiken.", - "ButtonArrowUp": "Omhoog", "OptionPlainStorageFolders": "Alle mappen weergeven als gewone opslagmappen", - "LabelChapterName": "Hoofdstuk {0}", - "NotificationOptionCameraImageUploaded": "Camera afbeelding ge\u00fcpload", - "ButtonArrowDown": "Omlaag", "OptionPlainStorageFoldersHelp": "Indien ingeschakeld worden alle mappen in DIDL weergegeven als 'object.container.storageFolder' in plaats van een meer specifiek type, zoals 'object.container.person.musicArtist'.", - "HeaderNewApiKey": "Nieuwe Api sleutel", - "ButtonArrowLeft": "Links", "OptionPlainVideoItems": "Alle video's weergeven als gewone video items", - "LabelAppName": "Applicatie Naam", - "ButtonArrowRight": "Rechts", - "LabelAppNameExample": "Voorbeeld: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Terug", "OptionPlainVideoItemsHelp": "Indien ingeschakeld worden alle video's in DIDL weergegeven als 'object.item.videoItem' in plaats van een meer specifiek type, zoals 'object.item.videoItem.movie'.", - "HeaderNewApiKeyHelp": "Geef een applicatie toestemming om te communiceren met Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Ondersteunde Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identificatie", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identificatie", "TabDirectPlay": "Direct Afspelen", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Start", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limiteer de grootte van de channel download map.", - "ButtonSettings": "Instellingen", "TabResponses": "Reacties", - "ButtonTakeScreenshot": "Vang Schermafbeelding", "HeaderProfileInformation": "Profiel Informatie", - "ButtonLetterUp": "Letter omhoog", - "ButtonLetterDown": "Letter omlaag", "LabelEmbedAlbumArtDidl": "Insluiten van albumhoezen in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Sommige apparaten prefereren deze methode voor het verkrijgen van albumhoezen. Anderen kunnen falen om af te spelen met deze optie ingeschakeld.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Gebruikersnaam", - "TabNowPlaying": "Wordt nu afgespeeld", "LabelAlbumArtPN": "Albumhoes PN:", - "TabNavigation": "Navigatie", "LabelAlbumArtHelp": "PN gebruikt voor albumhoes, binnen het kenmerk van de dlna:profileID op upnp:albumArtURI. Sommige clients vereisen 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:", - "ButtonFullscreen": "Schakelen tussen volledig scherm ", "LabelAlbumArtMaxHeightHelp": "Max. resolutie van albumhoezen weergegeven via upnp:albumArtURI.", - "HeaderDisplaySettings": "Weergave-instellingen", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Pictogram max breedte:", - "TabPlayTo": "Afspelen met", - "HeaderFeatures": "Toevoegingen", "LabelIconMaxWidthHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.", - "LabelEnableDlnaServer": "DLNA Server inschakelen", - "HeaderAdvanced": "Geavanceerd", "LabelIconMaxHeight": "Pictogram max. hoogte:\n", - "LabelEnableDlnaServerHelp": "Sta UPnP apparaten op uw netwerk toe om door Emby inhoud te bladeren en af te spelen.", "LabelIconMaxHeightHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.", - "LabelEnableBlastAliveMessages": "Zend alive berichten", "LabelIdentificationFieldHelp": "Een niet-hoofdlettergevoelige subtekenreeks of regex expressie.", - "LabelEnableBlastAliveMessagesHelp": "Zet dit aan als de server niet betrouwbaar door andere UPnP-apparaten op uw netwerk wordt gedetecteerd.", - "CategoryApplication": "Toepassing", "HeaderProfileServerSettingsHelp": "Deze waarden bepalen hoe Emby Server zich zal presenteren aan het apparaat.", - "LabelBlastMessageInterval": "Alive bericht interval (seconden)", - "CategoryPlugin": "Plug-in", "LabelMaxBitrate": "Max. bitrate:", - "LabelBlastMessageIntervalHelp": "Bepaalt de duur in seconden tussen server Alive berichten.", - "NotificationOptionPluginError": "Plug-in fout", "LabelMaxBitrateHelp": "Geef een max. bitrate in bandbreedte beperkte omgevingen, of als het apparaat zijn eigen limiet heeft.", - "LabelDefaultUser": "Standaard gebruiker:", + "LabelMaxStreamingBitrate": "Maximale streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Geef een maximale bitrate voor streaming op.", + "LabelMaxChromecastBitrate": "Maximale bitrate Chromecast:", + "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", - "HeaderServerInformation": "Server informatie", - "LabelDefaultUserHelp": "Bepaalt welke gebruikers bibliotheek op aangesloten apparaten moet worden weergegeven. Dit kan worden overschreven voor elk apparaat met behulp van profielen.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Indien ingeschakeld, zullen deze verzoeken worden gehonoreerd, maar zal de byte bereik header worden genegeerd.", "LabelFriendlyName": "Aangepaste naam", "LabelManufacturer": "Fabrikant", - "ViewTypeMovies": "Films", "LabelManufacturerUrl": "Url Fabrikant", - "TabNextUp": "Volgend", - "ViewTypeTvShows": "TV", "LabelModelName": "Modelnaam", - "ViewTypeGames": "Games", "LabelModelNumber": "Modelnummer", - "ViewTypeMusic": "Muziek", "LabelModelDescription": "Model omschrijving", - "LabelDisplayCollectionsViewHelp": "Hiermee wordt een aparte weergave gemaakt waarin collecties worden weergegeven die u hebt aangemaakt of toegang toe hebt. Klik rechts op een film of druk en houd vast en kies 'Voeg toe aan Collectie'. ", - "ViewTypeBoxSets": "Collecties", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Beeld instellingen", "LabelSerialNumber": "Serienummer", "LabelDeviceDescription": "Apparaat omschrijving", - "LabelSelectFolderGroups": "De inhoud van de volgende mappen automatisch groeperen in de secties zoals Films, Muziek en TV:", "HeaderIdentificationCriteriaHelp": "Voer tenminste \u00e9\u00e9n identificatiecriterium in.", - "LabelSelectFolderGroupsHelp": "Mappen die niet aangevinkt zijn worden getoond in hun eigen weergave.", "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.", - "ViewTypeLiveTvNowPlaying": "Nu uitgezonden", "HeaderResponseProfileHelp": "Responsprofielen bieden een manier om informatie, verzonden naar het apparaat bij het afspelen van bepaalde soorten media aan te passen.", - "ViewTypeMusicFavorites": "Favorieten", - "ViewTypeLatestGames": "Nieuwste games", - "ViewTypeMusicSongs": "Nummers", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favoriete albums", - "ViewTypeRecentlyPlayedGames": "Recent gespeelt", "LabelXDlnaCapHelp": "Bepaalt de inhoud van het X_DLNACAP element in de urn: schemas-dlna-org:device-1-0 namespace. \n", - "ViewTypeMusicFavoriteArtists": "Favoriete artiesten", - "ViewTypeGameFavorites": "Favorieten", - "HeaderViewOrder": "Weergave volgorde", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favoriete nummers", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Gam systemen", - "LabelSelectUserViewOrder": "Kies de volgorde van uw weergaven zoals deze worden weergegeven binnen Emby apps", "LabelXDlnaDocHelp": "Bepaalt de inhoud van het X_DLNADOC element in de urn: schemas-dlna-org:device-1-0 namespace. ", - "HeaderIdentificationHeader": "Identificatie Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Installeer een hoofdstuk provider Plug-in zoals ChapterDb om extra hoofdstuk opties in te schakelen.", "LabelSonyAggregationFlags": "Sony aggregatie vlaggen:", - "LabelValue": "Waarde:", - "ViewTypeTvResume": "Hervatten", - "TabChapters": "Hoofdstukken", "LabelSonyAggregationFlagsHelp": "Bepaalt de inhoud van het aggregationFlags element in de urn: schemas-sonycom av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Type overeenkomst:", - "ViewTypeTvNextUp": "Volgende", + "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": "Tijdens het scannen van uw videobestanden kan Emby zoeken naar missende ondertitels en deze downloaden met behulp van een ondertitel provider 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 van ondertitels opslaan zal video's effici\u00ebnter overbrengen en de kans op transcodering van video's verkleinen.", + "TabSubtitles": "Ondertiteling", + "TabChapters": "Hoofdstukken", "HeaderDownloadChaptersFor": "Download hoofdstuk namen voor:", + "LabelOpenSubtitlesUsername": "Gebruikersnaam Open Subtitles:", + "LabelOpenSubtitlesPassword": "Wachtwoord Open Subtitles:", + "HeaderChapterDownloadingHelp": "Wanneer Emby uw videobestanden scant kan het vriendelijke hoofdstuk namen downloaden van het internet met behulp van hoofdstuk plugins 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": "Vink dit uit om ervoor te zorgen dat alle video's ondertitels krijgen, ongeacht de audiotaal.", + "HeaderSendMessage": "Stuur bericht", + "ButtonSend": "Stuur", + "LabelMessageText": "Bericht tekst:", + "MessageNoAvailablePlugins": "Geen beschikbare Plug-ins.", + "LabelDisplayPluginsFor": "Toon Plug-ins voor:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "Meer", + "MessageNoSubtitleSearchResultsFound": "Geen zoekresultaten gevonden.", + "TabDisplay": "Weergave", + "TabLanguages": "Talen", + "TabAppSettings": "App Instellingen", + "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", + "HeaderOptions": "Opties", + "HeaderIdentificationResult": "Identificatie Resultaat", + "LabelHomePageSection1": "Startpagina sectie 1:", + "LabelHomePageSection2": "Startpagina sectie 2:", + "LabelHomePageSection3": "Startpagina sectie 3:", + "LabelHomePageSection4": "Startpagina sectie 4:", + "OptionMyMediaButtons": "Mijn media (knoppen)", + "OptionMyMedia": "Mijn media", + "OptionMyMediaSmall": "Mijn media (klein)", + "OptionResumablemedia": "Hervatten", + "OptionLatestMedia": "Nieuwste media", + "OptionLatestChannelMedia": "Nieuwste kanaal items", + "HeaderLatestChannelItems": "Nieuwste kanaal items", + "OptionNone": "Geen", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Rapporten", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Instellingen", + "MessageLoadingChannels": "Laden kanaal inhoud ...", + "MessageLoadingContent": "Inhoud wordt geladen ...", + "ButtonMarkRead": "Markeren als gelezen", + "OptionDefaultSort": "Standaard", + "OptionCommunityMostWatchedSort": "Meest bekeken", + "TabNextUp": "Volgend", + "PlaceholderUsername": "Gebruikersnaam", + "HeaderBecomeProjectSupporter": "Word Emby Supporter", + "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": "Collecties maken het u mogelijk om Films, Series, Albums, Boeken en Games te groeperen. Klik op de + knop om Collecties aan te maken.", + "MessageNoPlaylistsAvailable": "Met afspeellijsten kunt u een lijst maken waarvan de items achter elkaar afgespeeld worden. Om een item toe te voegen klikt u met rechts of tik en houd het vast om het te selecteren, klik vervolgens op Toevoegen aan afspeellijst.", + "MessageNoPlaylistItemsAvailable": "De afspeellijst is momenteel leeg.", + "ButtonDismiss": "Afwijzen", + "ButtonEditOtherUserPreferences": "Wijzig het profiel, afbeelding en persoonlijke voorkeuren van 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.", + "ButtonOptions": "Opties", + "ViewTypePlaylists": "Afspeellijsten", + "ViewTypeMovies": "Films", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Muziek", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artiesten", - "OptionEquals": "Is gelijk aan", + "ViewTypeBoxSets": "Collecties", + "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", - "HeaderChapterDownloadingHelp": "Wanneer Emby uw videobestanden scant kan het vriendelijke hoofdstuk namen downloaden van het internet met behulp van hoofdstuk plugins zoals ChapterDb", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Subtekenreeks", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", - "TabServices": "Meta Diensten", - "LabelTranscodingAudioCodec": "Audio codec:", + "ViewTypeTvFavoriteSeries": "Favoriete Series", + "ViewTypeTvFavoriteEpisodes": "Favoriete Afleveringen", "ViewTypeMovieResume": "Hervatten", - "TabLogs": "Logboeken", - "OptionEnableM2tsMode": "M2ts-modus inschakelen", "ViewTypeMovieLatest": "Nieuwste", - "HeaderServerLogFiles": "Server logboek bestanden:", - "OptionEnableM2tsModeHelp": "m2ts-modus bij het encoderen naar mpegts inschakelen", "ViewTypeMovieMovies": "Films", - "TabBranding": "Huisstijl", - "OptionEstimateContentLength": "Lengte schatten van de inhoud bij het transcoderen", - "HeaderPassword": "Wachtwoord", "ViewTypeMovieCollections": "Collecties", - "HeaderBrandingHelp": "Pas het uiterlijk van Emby aan, aan de behoeften van uw groep of organisatie.", - "OptionReportByteRangeSeekingWhenTranscoding": "Rapporteer dat de server byte zoeken tijdens transcoderen ondersteunt", - "HeaderLocalAccess": "Lokale toegang", "ViewTypeMovieFavorites": "Favorieten", - "LabelLoginDisclaimer": "Aanmeld vrijwaring:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dit is vereist voor bepaalde apparaten die zo goed op tijd zoeken.", "ViewTypeMovieGenres": "Genres", - "LabelLoginDisclaimerHelp": "Dit wordt onderaan de login pagina weergegeven.", "ViewTypeMusicLatest": "Nieuwste", - "LabelAutomaticallyDonate": "Doneer dit bedrag automatisch elke maand", + "ViewTypeMusicPlaylists": "Afspeellijsten", "ViewTypeMusicAlbums": "Albums", - "LabelAutomaticallyDonateHelp": "U kunt dit via uw PayPal account op elk moment annuleren.", - "TabHosting": "Hosting", "ViewTypeMusicAlbumArtists": "Album artiesten", - "LabelDownMixAudioScale": "Audio boost verbeteren wanneer wordt gemixt:", - "ButtonSync": "Synchronisatie", - "LabelPlayDefaultAudioTrack": "Speel standaard audio spoor ongeacht taal", - "LabelDownMixAudioScaleHelp": "Boost audio verbeteren wanneer wordt gemixt. Ingesteld op 1 om oorspronkelijke volume waarde te behouden.", - "LabelHomePageSection4": "Startpagina sectie 4:", - "HeaderChapters": "Hoofdstukken", - "LabelSubtitlePlaybackMode": "Ondertitelingsmode:", - "HeaderDownloadPeopleMetadataForHelp": "Het inschakelen van extra opties zal meer informatie op het scherm bieden, maar resulteert in tragere bibliotheek scan.", - "ButtonLinkKeys": "Verplaats sleutel", - "OptionLatestChannelMedia": "Nieuwste kanaal items", - "HeaderResumeSettings": "Instellingen voor Hervatten", - "ViewTypeFolders": "Mappen", - "LabelOldSupporterKey": "Oude supporter sleutel", - "HeaderLatestChannelItems": "Nieuwste kanaal items", - "LabelDisplayFoldersView": "Toon een mappenweergave als u gewoon Mediamappen wilt weergeven", - "LabelNewSupporterKey": "Nieuwe supporter sleutel", - "TitleRemoteControl": "Beheer op afstand", - "ViewTypeLiveTvRecordingGroups": "Opnamen", - "HeaderMultipleKeyLinking": "Verplaats naar nieuwe sleutel", - "ViewTypeLiveTvChannels": "Kanalen", - "MultipleKeyLinkingHelp": "Als u 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", - "TabControls": "Besturing", - "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 voordelen die de gemeenschap voor Emby heeft ontwikkeld.", - "MessageInvalidKey": "Supporters sleutel ontbreekt of is ongeldig.", - "ErrorMessageInvalidKey": "Om premium inhoud te registreren moet u ook Emby Supporter zijn. Doneer alstublieft en ondersteun daarmee de voortdurende ontwikkeling van het kernproduct. Bedankt.", - "HeaderEpisodes": "Afleveringen:", - "UserDownloadingItemWithValues": "{0} download {1}", - "OptionMyMediaButtons": "Mijn media (knoppen)", - "HeaderHomePage": "Startpagina", - "HeaderSettingsForThisDevice": "Instellingen voor dit apparaat", - "OptionMyMedia": "Mijn media", - "OptionAllUsers": "Alle gebruikers", - "ButtonDismiss": "Afwijzen", - "OptionAdminUsers": "Beheerders", + "HeaderOtherDisplaySettings": "Beeld instellingen", + "ViewTypeMusicSongs": "Nummers", + "ViewTypeMusicFavorites": "Favorieten", + "ViewTypeMusicFavoriteAlbums": "Favoriete albums", + "ViewTypeMusicFavoriteArtists": "Favoriete artiesten", + "ViewTypeMusicFavoriteSongs": "Favoriete nummers", + "HeaderMyViews": "Mijn Overzichten", + "LabelSelectFolderGroups": "De inhoud van de volgende mappen automatisch groeperen in de secties zoals Films, Muziek en TV:", + "LabelSelectFolderGroupsHelp": "Mappen die niet aangevinkt zijn worden getoond in hun eigen weergave.", "OptionDisplayAdultContent": "Toon Inhoud voor volwassen", - "HeaderSearchForSubtitles": "Zoeken naar Ondertitels", - "OptionCustomUsers": "Aangepast", - "ButtonMore": "Meer", - "MessageNoSubtitleSearchResultsFound": "Geen zoekresultaten gevonden.", + "OptionLibraryFolders": "Media mappen", + "TitleRemoteControl": "Beheer op afstand", + "OptionLatestTvRecordings": "Nieuwste opnames", + "LabelProtocolInfo": "Protocol info:", + "LabelProtocolInfoHelp": "De waarde die wordt gebruikt bij het reageren op GetProtocolInfo verzoeken van het apparaat.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby omvat ondersteunt Nfo metadata bestanden. Om Nfo metadata in- of uit te schakelen, gebruikt u het tabblad Geavanceerd om opties voor uw mediatypen in te stellen.", + "LabelKodiMetadataUser": "Synchroniseer kijk informatie naar nfo's voor:", + "LabelKodiMetadataUserHelp": "Schakel dit in om gemonitorde gegevens tussen Emby Server en Nfo bestanden te synchroniseren", + "LabelKodiMetadataDateFormat": "Uitgave datum formaat:", + "LabelKodiMetadataDateFormatHelp": "Alle datums in NFO's zullen gelezen en geschreven worden met dit formaat.", + "LabelKodiMetadataSaveImagePaths": "Bewaar afbeeldingspaden in NFO-bestanden", + "LabelKodiMetadataSaveImagePathsHelp": "Dit wordt aanbevolen als u bestandsnamen hebt die niet voldoen aan Kodi richtlijnen.", + "LabelKodiMetadataEnablePathSubstitution": "Pad vervanging inschakelen", + "LabelKodiMetadataEnablePathSubstitutionHelp": "Stelt pad vervanging in voor afbeeldingspaden en maakt gebruik van de Pad Vervangen instellingen van de server.", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "Bekijk pad vervanging.", + "LabelGroupChannelsIntoViews": "Toon de volgende kanalen binnen mijn overzichten:", + "LabelGroupChannelsIntoViewsHelp": "Indien ingeschakeld, zullen deze kanalen direct naast andere overzichten worden weergegeven. Indien uitgeschakeld, zullen ze worden weergegeven in een aparte kanalen overzicht.", + "LabelDisplayCollectionsView": "Toon collecties in mijn overzichten om film verzamelingen weer te geven", + "LabelDisplayCollectionsViewHelp": "Hiermee wordt een aparte weergave gemaakt waarin collecties worden weergegeven die u hebt aangemaakt of toegang toe hebt. Klik rechts op een film of druk en houd vast en kies 'Toevoegen aan Collectie'. ", + "LabelKodiMetadataEnableExtraThumbs": "Kopieer extrafanart naar extrathumbs", + "LabelKodiMetadataEnableExtraThumbsHelp": "Gedownloade afbeeldingen kunnen direct in extrafanart en extrathumbs opgeslagen worden voor maximale Kodi skin compatibiliteit.", + "TabServices": "Meta Diensten", + "TabLogs": "Logboeken", + "HeaderServerLogFiles": "Server logboek bestanden:", + "TabBranding": "Huisstijl", + "HeaderBrandingHelp": "Pas het uiterlijk van Emby aan, aan de behoeften van uw groep of organisatie.", + "LabelLoginDisclaimer": "Aanmeld vrijwaring:", + "LabelLoginDisclaimerHelp": "Dit wordt onderaan de login pagina weergegeven.", + "LabelAutomaticallyDonate": "Doneer dit bedrag automatisch elke maand", + "LabelAutomaticallyDonateHelp": "U kunt dit via uw PayPal account op elk moment annuleren.", + "OptionList": "Lijst", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logboeken:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Afbeeldingen op naam:", + "LabelTranscodingTemporaryFiles": "Tijdelijke transcodeer bestanden:", "HeaderLatestMusic": "Nieuwste muziek", - "OptionMyMediaSmall": "Mijn media (klein)", - "TabDisplay": "Weergave", "HeaderBranding": "Huisstijl", - "TabLanguages": "Talen", "HeaderApiKeys": "Api Sleutels", - "LabelGroupChannelsIntoViews": "Toon de volgende kanalen binnen mijn overzichten:", "HeaderApiKeysHelp": "Externe applicaties zijn verplicht om een \u200b\u200bAPI sleutel te hebben om te communiceren met Emby Server. Sleutels worden uitgegeven door in te loggen met een Emby account, of door het handmatig verlenen van een sleutel voor de toepassing.", - "LabelGroupChannelsIntoViewsHelp": "Indien ingeschakeld, zullen deze kanalen direct naast andere overzichten worden weergegeven. Indien uitgeschakeld, zullen ze worden weergegeven in een aparte kanalen overzicht.", - "LabelEnableThemeSongs": "Theme songs inschakelen:", "HeaderApiKey": "Api Sleutel", - "HeaderSubtitleDownloadingHelp": "Wanneer Emby uw videobestanden scant kan het zoeken naar missende ondertitels, en download ze met behulp van een ondertitel provider zoals OpenSubtitlesorg", - "LabelEnableBackdrops": "Achtergronden inschakelen:", "HeaderApp": "Applicatie", - "HeaderDownloadSubtitlesFor": "Download ondertiteling voor:", - "LabelEnableThemeSongsHelp": "Indien ingeschakeld, zullen theme songs in de achtergrond worden afgespeeld tijdens het browsen door de bibliotheek.", "HeaderDevice": "Apparaat", - "LabelEnableBackdropsHelp": "Indien ingeschakeld, zullen achtergrondafbeeldingen in de achtergrond worden getoond van een aantal pagina's tijdens het browsen door de bibliotheek.", "HeaderUser": "Gebruiker", "HeaderDateIssued": "Datum uitgegeven", - "TabSubtitles": "Ondertiteling", - "LabelOpenSubtitlesUsername": "Gebruikersnaam Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Wachtwoord Open Subtitles:", - "OptionYes": "Ja", - "OptionNo": "Nee", - "LabelDownloadLanguages": "Download talen:", - "LabelHomePageSection1": "Startpagina sectie 1:", - "ButtonRegister": "Aanmelden", - "LabelHomePageSection2": "Startpagina sectie 2:", - "LabelHomePageSection3": "Startpagina sectie 3:", - "OptionResumablemedia": "Hervatten", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Nieuwste media", - "ViewTypeTvFavoriteSeries": "Favoriete Series", - "ViewTypeTvFavoriteEpisodes": "Favoriete Afleveringen", - "LabelEpisodeNamePlain": "Naam aflevering", - "LabelSeriesNamePlain": "Naam serie", - "LabelSeasonNumberPlain": "nummer seizoen", - "LabelEpisodeNumberPlain": "Nummer aflevering", - "OptionLibraryFolders": "Media mappen", - "LabelEndingEpisodeNumberPlain": "Laatste nummer aflevering", + "LabelChapterName": "Hoofdstuk {0}", + "HeaderNewApiKey": "Nieuwe Api sleutel", + "LabelAppName": "Applicatie Naam", + "LabelAppNameExample": "Voorbeeld: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Geef een applicatie toestemming om te communiceren met Emby Server.", + "HeaderHttpHeaders": "Http Headers", + "HeaderIdentificationHeader": "Identificatie Header", + "LabelValue": "Waarde:", + "LabelMatchType": "Type overeenkomst:", + "OptionEquals": "Is gelijk aan", + "OptionRegex": "Regex", + "OptionSubstring": "Subtekenreeks", + "TabView": "Weergave", + "TabSort": "Sorteren", + "TabFilter": "Filter", + "ButtonView": "Weergave", + "LabelPageSize": "Itemlimiet:", + "LabelPath": "Pad:", + "LabelView": "Weergave:", + "TabUsers": "Gebruikers", + "LabelSortName": "Sorteer naam:", + "LabelDateAdded": "Datum toegevoegd:", + "HeaderFeatures": "Toevoegingen", + "HeaderAdvanced": "Geavanceerd", + "ButtonSync": "Synchronisatie", + "TabScheduledTasks": "Geplande taken", + "HeaderChapters": "Hoofdstukken", + "HeaderResumeSettings": "Instellingen voor Hervatten", + "TabSync": "Synchronisatie", + "TitleUsers": "Gebruikers", + "LabelProtocol": "Protokol:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Context:", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Synchronisatie", + "ButtonAddToPlaylist": "Toevoegen aan afspeellijst", + "TabPlaylists": "Afspeellijst", + "ButtonClose": "Sluiten", "LabelAllLanguages": "Alle talen", "HeaderBrowseOnlineImages": "Bekijk online afbeeldingen", "LabelSource": "Bron:", @@ -939,509 +1067,388 @@ "LabelImage": "Afbeelding:", "ButtonBrowseImages": "Bekijk afbeeldingen", "HeaderImages": "Afbeeldingen", - "LabelReleaseDate": "Uitgave datum:", "HeaderBackdrops": "Achtergronden", - "HeaderOptions": "Opties", - "LabelWeatherDisplayLocation": "Weersbericht locatie:", - "TabUsers": "Gebruikers", - "LabelMaxChromecastBitrate": "Maximale bitrate Chromecast:", - "LabelEndDate": "Eind datum|", "HeaderScreenshots": "Schermafbeelding", - "HeaderIdentificationResult": "Identificatie Resultaat", - "LabelWeatherDisplayLocationHelp": "US postcode \/ Plaats, Staat, Land \/ Stad, Land \/ Weer ID", - "LabelYear": "Jaar:", "HeaderAddUpdateImage": "Afbeelding toevoegen\/wijzigen", - "LabelWeatherDisplayUnit": "Temperatuurs eenheid:", "LabelJpgPngOnly": "Alleen JPG\/PNG", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Instellingen", "LabelImageType": "Afbeeldingstype:", - "HeaderActivity": "Activiteit", - "LabelChannelDownloadSizeLimit": "Downloadlimiet (GB): ", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primair", - "ScheduledTaskStartedWithName": "{0} is gestart", - "MessageLoadingContent": "Inhoud wordt geladen ...", - "HeaderRequireManualLogin": "Vereist handmatig aanmelden met gebruikersnaam voor:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} is geannuleerd", - "NotificationOptionUserLockedOut": "Gebruiker uitgesloten", - "HeaderRequireManualLoginHelp": "Indien uitgeschakeld toont de client een aanmeldscherm met een visuele selectie van gebruikers.", "OptionBox": "Hoes", - "ScheduledTaskCompletedWithName": "{0} is gereed", - "OptionOtherApps": "Overige apps", - "TabScheduledTasks": "Geplande taken", "OptionBoxRear": "Achterkant hoes", - "ScheduledTaskFailed": "Geplande taak is gereed", - "OptionMobileApps": "Mobiele apps", "OptionDisc": "Schijf", - "PluginInstalledWithName": "{0} is ge\u00efnstalleerd", "OptionIcon": "Pictogram", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} is bijgewerkt", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} is gede\u00efnstalleerd", "OptionScreenshot": "Schermafbeelding", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} is mislukt", - "UserLockedOutWithName": "Gebruiker {0} is uitgesloten", "OptionLocked": "Vastgezet", - "ButtonSubtitles": "Ondertitels", - "ItemAddedWithName": "{0} is toegevoegd aan de bibliotheek", "OptionUnidentified": "Onge\u00efdentificeerd", - "ItemRemovedWithName": "{0} is verwijderd uit de bibliotheek", "OptionMissingParentalRating": "Ontbrekende kijkwijzer classificatie", - "HeaderCollections": "Collecties", - "DeviceOnlineWithName": "{0} is verbonden", "OptionStub": "Stub", + "HeaderEpisodes": "Afleveringen:", + "OptionSeason0": "Seizoen 0", + "LabelReport": "Rapport:", + "OptionReportSongs": "Nummers", + "OptionReportSeries": "Series", + "OptionReportSeasons": "Seizoenen", + "OptionReportTrailers": "Trailers", + "OptionReportMusicVideos": "Muziek video's", + "OptionReportMovies": "Films", + "OptionReportHomeVideos": "Home video's", + "OptionReportGames": "Games", + "OptionReportEpisodes": "Afleveringen", + "OptionReportCollections": "Collecties", + "OptionReportBooks": "Boeken", + "OptionReportArtists": "Artiesten", + "OptionReportAlbums": "Albums", + "OptionReportAdultVideos": "Adult video's", + "HeaderActivity": "Activiteit", + "ScheduledTaskStartedWithName": "{0} is gestart", + "ScheduledTaskCancelledWithName": "{0} is geannuleerd", + "ScheduledTaskCompletedWithName": "{0} is gereed", + "ScheduledTaskFailed": "Geplande taak is gereed", + "PluginInstalledWithName": "{0} is ge\u00efnstalleerd", + "PluginUpdatedWithName": "{0} is bijgewerkt", + "PluginUninstalledWithName": "{0} is gede\u00efnstalleerd", + "ScheduledTaskFailedWithName": "{0} is mislukt", + "ItemAddedWithName": "{0} is toegevoegd aan de bibliotheek", + "ItemRemovedWithName": "{0} is verwijderd uit de bibliotheek", + "DeviceOnlineWithName": "{0} is verbonden", "UserOnlineFromDevice": "{0} heeft verbinding met {1}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} is losgekoppeld", - "OptionList": "Lijst", - "OptionSeason0": "Seizoen 0", - "ButtonPause": "Pauze", "UserOfflineFromDevice": "Verbinding van {0} met {1} is verbroken", - "TabDashboard": "Dashboard", - "LabelReport": "Rapport:", "SubtitlesDownloadedForItem": "Ondertiteling voor {0} is gedownload", - "TitleServer": "Server", - "OptionReportSongs": "Nummers", "SubtitleDownloadFailureForItem": "Downloaden van ondertiteling voor {0} is mislukt", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Looptijd: {0}", - "LabelLogs": "Logboeken:", - "OptionReportSeasons": "Seizoenen", "LabelIpAddressValue": "IP adres: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Afspeellijsten", + "UserLockedOutWithName": "Gebruiker {0} is uitgesloten", "UserConfigurationUpdatedWithName": "Gebruikersinstellingen voor {0} zijn bijgewerkt", - "NotificationOptionNewLibraryContentMultiple": "Nieuwe content toegevoegd (meerdere)", - "LabelImagesByName": "Afbeeldingen op naam:", - "OptionReportMusicVideos": "Muziek video's", "UserCreatedWithName": "Gebruiker {0} is aangemaakt", - "HeaderSendMessage": "Stuur bericht", - "LabelTranscodingTemporaryFiles": "Tijdelijke transcodeer bestanden:", - "OptionReportMovies": "Films", "UserPasswordChangedWithName": "Wachtwoord voor {0} is gewijzigd", - "ButtonSend": "Stuur", - "OptionReportHomeVideos": "Home video's", "UserDeletedWithName": "Gebruiker {0} is verwijderd", - "LabelMessageText": "Bericht tekst:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuratie is bijgewerkt", - "HeaderKodiMetadataHelp": "Emby omvat native ondersteuning voor Nfo metadata bestanden. Om Nfo metadata in- of uit te schakelen, gebruikt u het tabblad Geavanceerd om opties te configureren voor uw mediatypen.", - "OptionReportEpisodes": "Afleveringen", - "ButtonPreviousTrack": "Vorige track", "MessageNamedServerConfigurationUpdatedWithValue": "Sectie {0} van de server configuratie is bijgewerkt", - "LabelKodiMetadataUser": "Synchroniseer gekeken informatie toe aan NFO's voor (gebruiker):", - "OptionReportCollections": "Collecties", - "ButtonNextTrack": "Volgende track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server is bijgewerkt", - "LabelKodiMetadataUserHelp": "Schakel dit in om gemonitorde gegevens in sync te houden tussen Emby Server en Nfo bestanden.", - "OptionReportBooks": "Boeken", - "HeaderServerSettings": "Server Instellingen", "AuthenticationSucceededWithUserName": "{0} is succesvol geverifieerd", - "LabelKodiMetadataDateFormat": "Uitgave datum formaat:", - "OptionReportArtists": "Artiesten", "FailedLoginAttemptWithUserName": "Mislukte aanmeld poging van {0}", - "LabelKodiMetadataDateFormatHelp": "Alle datums in NFO's zullen gelezen en geschreven worden met dit formaat.", - "ButtonAddToPlaylist": "Toevoegen aan afspeellijst", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} download {1}", "UserStartedPlayingItemWithValues": "{0} heeft afspelen van {1} gestart", - "LabelKodiMetadataSaveImagePaths": "Bewaar afbeeldingspaden in NFO-bestanden", - "LabelDisplayCollectionsView": "Toon collecties in mijn overzichten om film verzamelingen weer te geven", - "AdditionalNotificationServices": "Blader door de Plug-in catalogus om aanvullende meldingsdiensten te installeren.", - "OptionReportAdultVideos": "Adult video's", "UserStoppedPlayingItemWithValues": "{0} heeft afspelen van {1} gestopt", - "LabelKodiMetadataSaveImagePathsHelp": "Dit wordt aanbevolen als u bestandsnamen hebt die niet voldoen aan Kodi richtlijnen.", "AppDeviceValues": "App: {0}, Apparaat: {1}", - "LabelMaxStreamingBitrate": "Maximale streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Pad vervanging inschakelen", - "LabelProtocolInfo": "Protocol info:", "ProviderValue": "Aanbieder: {0}", + "LabelChannelDownloadSizeLimit": "Downloadlimiet (GB): ", + "LabelChannelDownloadSizeLimitHelpText": "Limiteer de grootte van de channel download map.", + "HeaderRecentActivity": "Recente activiteit", + "HeaderPeople": "Personen", + "HeaderDownloadPeopleMetadataFor": "Download biografie en afbeeldingen voor:", + "OptionComposers": "Componisten", + "OptionOthers": "Overigen", + "HeaderDownloadPeopleMetadataForHelp": "Het inschakelen van extra opties zal meer informatie op het scherm bieden, maar resulteert in tragere bibliotheek scan.", + "ViewTypeFolders": "Mappen", + "LabelDisplayFoldersView": "Toon een mappenweergave als u gewoon Mediamappen wilt weergeven", + "ViewTypeLiveTvRecordingGroups": "Opnamen", + "ViewTypeLiveTvChannels": "Kanalen", "LabelEasyPinCode": "Eenvoudige pincode:", - "LabelMaxStreamingBitrateHelp": "Geef een maximale bitrate voor streaming op.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Stelt pad vervanging in voor afbeeldingspaden en maakt gebruik van de Pad Vervangen instellingen van de server.", - "LabelProtocolInfoHelp": "De waarde die wordt gebruikt bij het reageren op GetProtocolInfo verzoeken van het apparaat.", - "LabelMaxStaticBitrate": "Maximale Synchronisatie bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Bekijk pad vervanging.", - "MessageNoPlaylistsAvailable": "Met afspeellijsten kunt u een lijst maken waarvan de items achter elkaar afgespeeld worden. Om een item toe te voegen klikt u met rechts of tik en houd het vast om het te selecteren, klik vervolgens op Toevoegen aan afspeellijst.", "EasyPasswordHelp": "Uw gemakkelijk pincode wordt gebruikt voor offline toegang met ondersteunde Emby apps, en kan ook worden gebruikt voor eenvoudige in-netwerk aanmelden.", - "LabelMaxStaticBitrateHelp": "Geef een maximale bitrate op voor synchroniseren in hoge kwaliteit.", - "LabelKodiMetadataEnableExtraThumbs": "Kopieer extrafanart naar extrathumbs", - "MessageNoPlaylistItemsAvailable": "De afspeellijst is momenteel leeg.", - "TabSync": "Synchronisatie", - "LabelProtocol": "Protokol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Als er afbeeldingen gedownload worden kunnen deze direct in extrafanart en extrathumbs opgeslagen worden voor maximale Kodi skin compatibiliteit.", - "TabPlaylists": "Afspeellijst", - "LabelPersonRole": "Rol:", "LabelInNetworkSignInWithEasyPassword": "Schakel eenvoudige lokale aanmelding in met mijn easy pin code", - "TitleUsers": "Gebruikers", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Rol is alleen van toepassing op acteurs.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Pad:", - "HeaderIdentification": "Identificatie", "LabelInNetworkSignInWithEasyPasswordHelp": "Indien ingeschakeld, zult u in staat zijn om uw gemakkelijke pincode gebruiken om u aan te melden bij Emby apps van binnen uw thuisnetwerk. Uw reguliere wachtwoord is nodig buiten uw thuisnetwerk. Als u de pincode leeg laat, heeft u geen wachtwoord nodig in uw thuisnetwerk.", - "LabelContext": "Context:", - "LabelSortName": "Sorteer naam:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Datum toegevoegd:", + "HeaderPassword": "Wachtwoord", + "HeaderLocalAccess": "Lokale toegang", + "HeaderViewOrder": "Weergave volgorde", "ButtonResetEasyPassword": "Reset eenvoudige pincode", - "OptionContextStatic": "Synchronisatie", + "LabelSelectUserViewOrder": "Kies de volgorde van uw weergaven zoals deze worden weergegeven binnen Emby apps", "LabelMetadataRefreshMode": "Metadata vernieuw mode:", - "ViewTypeChannels": "Kanalen", "LabelImageRefreshMode": "Afbeelding vernieuw mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "Meldingen worden geplaatst in de inbox op het dashboard. Blader door de Plug-in catalogus om aanvullende opties voor meldingen te installeren.", "OptionDownloadMissingImages": "Ontbrekende afbeeldingen downloaden", "OptionReplaceExistingImages": "Bestaande afbeeldingen vervangen", "OptionRefreshAllData": "Vernieuw alle gegevens", "OptionAddMissingDataOnly": "Alleen ontbrekende gegevens toevoegen", "OptionLocalRefreshOnly": "Alleen lokaal vernieuwen", - "LabelGroupMoviesIntoCollections": "Groepeer films in collecties", "HeaderRefreshMetadata": "Vernieuw metagegevens", - "LabelGroupMoviesIntoCollectionsHelp": "Bij de weergave van film lijsten, zullen films die tot een collectie behoren worden weergegeven als een gegroepeerd object.", "HeaderPersonInfo": "Persoon informatie", "HeaderIdentifyItem": "Identificeer item", "HeaderIdentifyItemHelp": "Vul \u00e9\u00e9n of meer zoek criteria in. Verwijder criteria om zoekresultaten te vergroten.", - "HeaderLatestMedia": "Nieuw in bibliotheek", + "HeaderConfirmDeletion": "Bevestigen Verwijdering", "LabelFollowingFileWillBeDeleted": "Het volgende bestand wordt verwijderd.", "LabelIfYouWishToContinueWithDeletion": "Geef om door te gaan het resultaat in:", - "OptionSpecialFeatures": "Extra's", "ButtonIdentify": "Identificeer", "LabelAlbumArtist": "Album artiest:", + "LabelAlbumArtists": "Album artiesten:", "LabelAlbum": "Album:", "LabelCommunityRating": "Beoordeling gemeenschap:", "LabelVoteCount": "Aantal stemmen:", - "ButtonSearch": "Zoeken", "LabelMetascore": "Metascore:", "LabelCriticRating": "Beoordeling critici:", "LabelCriticRatingSummary": "Samenvatting beoordeling critici:", "LabelAwardSummary": "Samenvatting prijzen:", - "LabelSeasonZeroFolderName": "Mapnaam voor Specials:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Afleverings bestandsopmaak", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Afleverings opmaak:", "LabelOverview": "Overzicht:", - "LabelMultiEpisodePattern": "Meerdere afleveringen opmaak:", "LabelShortOverview": "Kort overzicht:", - "HeaderSupportedPatterns": "Ondersteunde Opmaak", - "MessageNoMovieSuggestionsAvailable": "Er zijn momenteel geen film suggesties beschikbaar. Begin met het bekijken en waardeer uw films, kom daarna terug om uw aanbevelingen te bekijken.", - "LabelMusicStaticBitrate": "Muzieksynchronisatie bitrate:", + "LabelReleaseDate": "Uitgave datum:", + "LabelYear": "Jaar:", "LabelPlaceOfBirth": "Geboorteplaats:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collecties maken het u mogelijk om Films, Series, Albums, Boeken en Games te groeperen. Klik op de + knop om Collecties aan te maken.", - "LabelMusicStaticBitrateHelp": "Geef een maximum bitrate op voor het synchroniseren van muziek", + "LabelEndDate": "Eind datum|", "LabelAirDate": "Uitzend dagen:", - "HeaderPattern": "Opmaak", - "LabelMusicStreamingTranscodingBitrate": "Muziek transcodering bitrate: ", "LabelAirTime:": "Uitzend tijd:", - "HeaderNotificationList": "Klik op een melding om de opties voor het versturen ervan te configureren .", - "HeaderResult": "Resulteert in:", - "LabelMusicStreamingTranscodingBitrateHelp": "Geef een maximum bitrate op voor het streamen van muziek", "LabelRuntimeMinutes": "Speelduur (minuten):", - "LabelNotificationEnabled": "Deze melding inschakelen", - "LabelDeleteEmptyFolders": "Verwijder lege mappen na het organiseren", - "HeaderRecentActivity": "Recente activiteit", "LabelParentalRating": "Kijkwijzer classificatie:", - "LabelDeleteEmptyFoldersHelp": "Schakel in om de download map schoon te houden.", - "ButtonOsd": "Weergave op het scherm", - "HeaderPeople": "Personen", "LabelCustomRating": "Aangepaste classificatie:", - "LabelDeleteLeftOverFiles": "Verwijder overgebleven bestanden met de volgende extensies:", - "MessageNoAvailablePlugins": "Geen beschikbare Plug-ins.", - "HeaderDownloadPeopleMetadataFor": "Download biografie en afbeeldingen voor:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video afspelen gestart", - "LabelDeleteLeftOverFilesHelp": "Scheiden met ;. Bijvoorbeeld: .nfo;.txt", - "LabelDisplayPluginsFor": "Toon Plug-ins voor:", - "OptionComposers": "Componisten", "LabelRevenue": "Omzet ($):", - "NotificationOptionAudioPlayback": "Audio afspelen gestart", - "OptionOverwriteExistingEpisodes": "Bestaande afleveringen overschrijven", - "OptionOthers": "Overigen", "LabelOriginalAspectRatio": "Originele aspect ratio:", - "NotificationOptionGamePlayback": "Game gestart", - "LabelTransferMethod": "Verplaats methode", "LabelPlayers": "Spelers:", - "OptionCopy": "Kopie", "Label3DFormat": "3D formaat", - "NotificationOptionNewLibraryContent": "Nieuwe content toegevoegd", - "OptionMove": "Verplaats", "HeaderAlternateEpisodeNumbers": "Afwijkende afleveringsnummers", - "NotificationOptionServerRestartRequired": "Server herstart nodig", - "LabelTransferMethodHelp": "Bestanden kopi\u00ebren of verplaatsen van de bewaakte map", "HeaderSpecialEpisodeInfo": "Speciale afleveringsinformatie", - "LabelMonitorUsers": "Monitor activiteit van:", - "HeaderLatestNews": "Nieuws", - "ValueSeriesNamePeriod": "Serie.Naam", "HeaderExternalIds": "Externe Id's", - "LabelSendNotificationToUsers": "Stuur de melding naar:", - "ValueSeriesNameUnderscore": "Serie_naam", - "TitleChannels": "Kanalen", - "HeaderRunningTasks": "Actieve taken", - "HeaderConfirmDeletion": "Bevestigen Verwijdering", - "ValueEpisodeNamePeriod": "Aflevering.naam", - "LabelChannelStreamQuality": "Voorkeurs kwaliteit internet stream:", - "HeaderActiveDevices": "Actieve apparaten", - "ValueEpisodeNameUnderscore": "Aflevering_naam", - "LabelChannelStreamQualityHelp": "Bij weinig beschikbare bandbreedte kan het verminderen van de kwaliteit betere streams opleveren.", - "HeaderPendingInstallations": "In afwachting van installaties", - "HeaderTypeText": "Voer tekst in", - "OptionBestAvailableStreamQuality": "Best beschikbaar", - "LabelUseNotificationServices": "Gebruik de volgende diensten:", - "LabelTypeText": "Tekst", - "ButtonEditOtherUserPreferences": "Wijzig het profiel, afbeelding en persoonlijke voorkeuren van deze gebruiker.", - "LabelEnableChannelContentDownloadingFor": "Schakel kanaalinhoud downloaden in voor:", - "NotificationOptionApplicationUpdateAvailable": "Programma-update beschikbaar", - "LabelAirsBeforeEpisode": "Uitgezonden voor aflevering:", - "LabelTreatImageAs": "Behandel afbeelding als:", - "ButtonReset": "Rest", - "LabelDisplayOrder": "Weergave volgorde:", - "LabelDisplaySpecialsWithinSeasons": "Voeg specials toe aan het seizoen waarin ze uitgezonden zijn", - "HeaderAddTag": "Voeg tag toe", - "LabelNativeExternalPlayersHelp": "Toon knoppen om media in externe spelers te kunnen spelen.", - "HeaderCountries": "Landen", - "HeaderGenres": "Genres", - "LabelTag": "Tag:", - "HeaderPlotKeywords": "Trefwoorden plot", - "LabelEnableItemPreviews": "Schakel item preview in", - "HeaderStudios": "Studio's", - "HeaderTags": "Labels", - "HeaderMetadataSettings": "Metagegevens instellingen", - "LabelEnableItemPreviewsHelp": "Bij inschakelen zal op sommige schermen een preview getoond worden als er op een item geklikt wordt.", - "LabelLockItemToPreventChanges": "Blokkeer dit item tegen wijzigingen", - "LabelExternalPlayers": "Externe spelers:", - "MessageLeaveEmptyToInherit": "Leeg laten om instellingen van bovenliggend item of de algemene waarde over te nemen.", - "LabelExternalPlayersHelp": "Toon knoppen om inhoud in externe spelers of te spelen. Dit is alleen mogelijk op apparaten die 'url schemes' ondersteunen, meest Android en iOS. Met externe spelers is er over het algemeen geen ondersteuning voor afstandsbediening of hervatten.", - "ButtonUnlockGuide": "Gids vrijgeven", - "HeaderDonationType": "Donatie soort:", - "OptionMakeOneTimeDonation": "Doe een aparte donatie", - "OptionNoTrailer": "Geen trailer", - "OptionNoThemeSong": "Geen thema muziek", - "OptionNoThemeVideo": "Geen thema film", - "LabelOneTimeDonationAmount": "Donatie bedrag:", - "ButtonLearnMore": "Meer informatie", - "ButtonLearnMoreAboutEmbyConnect": "Leer meer over Emby Connect", - "LabelNewUserNameHelp": "Gebruikersnamen kunnen letters (az), cijfers (0-9), streepjes, underscores (_), apostrofs (') en punten (.) bevatten\n", - "OptionEnableExternalVideoPlayers": "Inschakelen van externe video-spelers", - "HeaderOptionalLinkEmbyAccount": "Optioneel: Koppel uw Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata voor:", - "LabelCustomDeviceDisplayName": "Weergave naam:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Geef een eigen weergave naam op of laat deze leeg om de naam te gebruiken die het apparaat opgeeft.", - "HeaderInviteUser": "Nodig gebruiker uit", - "HeaderUpcomingMovies": "Aankomende Films", - "HeaderInviteUserHelp": "Delen van uw media met vrienden is eenvoudiger dan ooit met Emby Connect.", - "ButtonSendInvitation": "Stuur uitnodiging", - "HeaderGuests": "Gasten", - "HeaderUpcomingPrograms": "Aankomende Programma's", - "HeaderLocalUsers": "Lokale gebruikers", - "HeaderPendingInvitations": "Uitstaande uitnodigingen", - "LabelShowLibraryTileNames": "Toon bibliotheek tegel namen", - "LabelShowLibraryTileNamesHelp": "Bepaalt of labels onder de bibliotheek tegels zullen worden weergegeven op de startpagina", - "TitleDevices": "Apparaten", - "TabCameraUpload": "Camera upload", - "HeaderCameraUploadHelp": "Foto's en video's genomen met uw mobiele apparaten automatisch uploaden naar Emby .", - "TabPhotos": "Foto's", - "HeaderSchedule": "Schema", - "MessageNoDevicesSupportCameraUpload": "U hebt op dit moment geen apparaten die camera upload ondersteunen.", - "OptionEveryday": "Elke dag", - "LabelCameraUploadPath": "Camera upload pad:", - "OptionWeekdays": "Week dagen", - "LabelCameraUploadPathHelp": "Geef een eigen upload pad op, indien gewenst. Deze map moet ook aan de bibliotheek instellingen toegevoegd worden. Als er niets opgegeven is wordt de standaard map gebruikt.", - "OptionWeekends": "Weekend", - "LabelCreateCameraUploadSubfolder": "Maak een submap voor elk apparaat", - "MessageProfileInfoSynced": "Gebruikersprofiel informatie gesynchroniseerd met Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specifieke mappen kunnen aan een apparaat toegekend worden door er op te klikken in de apparaten pagina.", - "TabVideos": "Video's", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer reel", - "OptionPlayUnwatchedTrailersOnly": "Speel alleen ongeziene trailers", - "HeaderTrailerReelHelp": "Start trailer reel om een afspeellijst met trailers af te spelen.", - "TabDevices": "Apparaten", - "MessageNoTrailersFound": "Geen trailers gevonden. Installeer het Trailers kanaal en verbeter uw film ervaring door middel van een bibliotheek met internet trailers.", - "HeaderWelcomeToEmby": "Welkom bij Emby", - "OptionAllowSyncContent": "Sync toestaan", - "LabelDateAddedBehavior": "Datum toegevoegd gedrag voor nieuwe content:", - "HeaderLibraryAccess": "Bibliotheek toegang", - "OptionDateAddedImportTime": "Gebruik scan datum", - "EmbyIntroMessage": "Met Emby kunt u eenvoudig films, muziek en foto's naar uw telefoon, tablet en andere apparatuur streamen.", - "HeaderChannelAccess": "Kanaal toegang", - "LabelEnableSingleImageInDidlLimit": "Beperk tot \u00e9\u00e9n enkele ingesloten afbeelding", - "OptionDateAddedFileTime": "Gebruik aanmaak datum bestand", - "HeaderLatestItems": "Nieuwste items", - "LabelEnableSingleImageInDidlLimitHelp": "Sommige apparaten zullen niet goed weergeven als er meerdere afbeeldingen ingesloten zijn in Didl.", - "LabelDateAddedBehaviorHelp": "Als er metadata gegevens zijn hebben deze voorrang op deze opties.", - "LabelSelectLastestItemsFolders": "Voeg media van de volgende secties toe aan Nieuwste items", - "LabelNumberTrailerToPlay": "Aantal af te spelen trailers:", - "ButtonSkip": "Overslaan", - "OptionAllowAudioPlaybackTranscoding": "Sta het afspelen van audio wat transcoding vereist toe", - "OptionAllowVideoPlaybackTranscoding": "Sta het afspelen van video wat transcoding vereist toe", - "NameSeasonUnknown": "Seizoen Onbekend", - "NameSeasonNumber": "Seizoen {0}", - "TextConnectToServerManually": "Verbind handmatig met de server", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Ondertitelingsprofiel", - "LabelRemoteClientBitrateLimit": "Client bitrate limiet (Mbps):", - "HeaderSubtitleProfiles": "Ondertitelingsprofielen", - "OptionDisableUserPreferences": "Voorkom toegang tot gebruikers voorkeuren", - "HeaderSubtitleProfilesHelp": "Ondertitelingsprofielen beschrijven de ondertitelings formaten ondersteund door het apparaat.", - "OptionDisableUserPreferencesHelp": "Indien ingeschakeld kunnen alleen beheerders profiel afbeeldingen, wachtwoorden en taalinstellingen wijzigen.", - "LabelFormat": "Formaat:", - "HeaderSelectServer": "Selecteer server", - "ButtonConnect": "Verbind", - "LabelRemoteClientBitrateLimitHelp": "Een optionele streaming bitrate limiet voor alle clients. Dit wordt gebruikt om te voorkomen dat clients een hogere bitrate aanvragen dan de internet connectie kan leveren.", - "LabelMethod": "Methode:", - "MessageNoServersAvailableToConnect": "Er zijn geen servers beschikbaar om mee te verbinden. Als u uitgenodigd bent om een server te delen accepteer dit hieronder of door op de link in het emailbericht te klikken.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Aanmelden met Emby Connect", - "OptionEmbedSubtitles": "Invoegen in container", - "OptionExternallyDownloaded": "Externe download", - "LabelServerHost": "Server:", - "CinemaModeConfigurationHelp2": "Gebruikers kunnen in hun eigen instellingen Cinema Mode uitschakelen", + "LabelDvdSeasonNumber": "Dvd seizoensnummer:", + "LabelDvdEpisodeNumber": "Dvd afleveringsnummer:", + "LabelAbsoluteEpisodeNumber": "Absoluut afleveringsnummer:", + "LabelAirsBeforeSeason": "Uitgezonden voor seizoen:", + "LabelAirsAfterSeason": "Uitgezonden na seizoen:", + "LabelAirsBeforeEpisode": "Uitgezonden voor aflevering:", + "LabelTreatImageAs": "Behandel afbeelding als:", + "LabelDisplayOrder": "Weergave volgorde:", + "LabelDisplaySpecialsWithinSeasons": "Voeg specials toe aan het seizoen waarin ze uitgezonden zijn", + "HeaderCountries": "Landen", + "HeaderGenres": "Genres", + "HeaderPlotKeywords": "Trefwoorden plot", + "HeaderStudios": "Studio's", + "HeaderTags": "Labels", + "HeaderMetadataSettings": "Metagegevens instellingen", + "LabelLockItemToPreventChanges": "Blokkeer dit item tegen wijzigingen", + "MessageLeaveEmptyToInherit": "Leeg laten om instellingen van bovenliggend item of de algemene waarde over te nemen.", + "TabDonate": "Doneer", + "HeaderDonationType": "Donatie soort:", + "OptionMakeOneTimeDonation": "Doe een aparte donatie", "OptionOneTimeDescription": "Dit is een extra donatie voor het team om te laten zien dat u hen steunt. Het geeft geen extra voordelen en geeft u geen supporter sleutel.", - "OptionHlsSegmentedSubtitles": "Hls gesegmenteerde ondertiteling", - "LabelEnableCinemaMode": "Cinema Mode inschakelen", + "OptionLifeTimeSupporterMembership": "Levenslang supporter lidmaatschap", + "OptionYearlySupporterMembership": "Jaarlijks supporter lidmaatschap", + "OptionMonthlySupporterMembership": "Maandelijks supporter lidmaatschap", + "OptionNoTrailer": "Geen trailer", + "OptionNoThemeSong": "Geen thema muziek", + "OptionNoThemeVideo": "Geen thema film", + "LabelOneTimeDonationAmount": "Donatie bedrag:", + "ButtonDonate": "Doneren", + "ButtonPurchase": "Aankoop", + "OptionActor": "Acteur", + "OptionComposer": "Componist", + "OptionDirector": "Regiseur", + "OptionGuestStar": "Gast ster", + "OptionProducer": "Producent", + "OptionWriter": "Schrijver", "LabelAirDays": "Uitzend dagen:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Uitzend tijd:", "HeaderMediaInfo": "Media informatie", "HeaderPhotoInfo": "Foto informatie", - "OptionAllowContentDownloading": "Media downloaden toestaan", - "LabelServerHostHelp": "192.168.1.100 of https:\/\/myserver.com", - "TabDonate": "Doneer", - "OptionLifeTimeSupporterMembership": "Levenslang supporter lidmaatschap", - "LabelServerPort": "Poort:", - "OptionYearlySupporterMembership": "Jaarlijkse supporter lidmaatschap", - "LabelConversionCpuCoreLimit": "CPU core limiet:", - "OptionMonthlySupporterMembership": "maandelijks supporter lidmaatschap", - "LabelConversionCpuCoreLimitHelp": "Limiteer het aantal CPU cores wat gebruikt mag worden bij een omzetteing om te synchroniseren.", - "ButtonChangeServer": "Wijzig server", - "OptionEnableFullSpeedConversion": "Schakel hoge converteren op hoge snelheid in", - "OptionEnableFullSpeedConversionHelp": "Standaard wordt het converteren voor synchronisatie opdrachten op lage snelheid uitgevoerd zodat er zo min mogelijke impact is op de server.", - "HeaderConnectToServer": "Verbind met server", - "LabelBlockContentWithTags": "Blokkeer inhoud met labels:", "HeaderInstall": "Installeer", "LabelSelectVersionToInstall": "Selecteer de versie om te installeren:", "LinkSupporterMembership": "Meer informatie over het supporter lidmaatschap", "MessageSupporterPluginRequiresMembership": "Deze plugin vereist een actief supporter lidmaatschap na de gratis proefperiode van 14 dagen.", "MessagePremiumPluginRequiresMembership": "Deze plugin vereist een actief supporter lidmaatschap om deze aan te kunnen schaffen na de gratis proefperiode van 14 dagen.", "HeaderReviews": "Reviews", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Informatie ontwikkelaar", "HeaderRevisionHistory": "Versie geschiedenis", "ButtonViewWebsite": "Bekijk website", - "LabelTagFilterAllowModeHelp": "Als toegestane tags worden gebruikt in een diep geneste mappenstructuur, zal getagde inhoud vereisen dat de bovenliggende mappen ook getagd zijn.", - "HeaderPlaylists": "Afspeellijsten", - "LabelEnableFullScreen": "Schakel Full Screen in", - "OptionEnableTranscodingThrottle": "Throtteling inschakelen", - "LabelEnableChromecastAc3Passthrough": "Schakel Chromecast AC3 Passthrough in", - "OptionEnableTranscodingThrottleHelp": "Throtteling zal automatisch de snelheid van het transcoderen aanpassen om de cpu belasting laag te houden tijdens het afspelen.", - "LabelSyncPath": "Gesynchroniseerde inhoud pad:", - "OptionActor": "Acteur", - "ButtonDonate": "Doneren", - "TitleNewUser": "Nieuwe gebruiker", - "OptionComposer": "Componist", - "ButtonConfigurePassword": "Configureer wachtwoord", - "OptionDirector": "Regiseur", - "HeaderDashboardUserPassword": "Wachtwoorden van gebruikers worden door de gebruiker in het gebruikersprofiel beheerd.", - "OptionGuestStar": "Gast ster", - "OptionProducer": "Producent", - "OptionWriter": "Schrijver", "HeaderXmlSettings": "Xml Instellingen", "HeaderXmlDocumentAttributes": "Xml Document Attributen", - "ButtonSignInWithConnect": "Aanmelden met Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribuut", "XmlDocumentAttributeListHelp": "Deze kenmerken worden toegepast op het hoofd-element van elk XML-antwoord.", - "ValueSpecialEpisodeName": "Speciaal - {0}", "OptionSaveMetadataAsHidden": "Metagegevens en afbeeldingen opslaan als verborgen bestanden", - "HeaderNewServer": "Nieuwe Server", - "TabActivity": "Activiteit", - "TitleSync": "Synchroniseer", - "HeaderShareMediaFolders": "Deel media mappen", - "MessageGuestSharingPermissionsHelp": "De meeste features zijn niet direct beschikbaar voor gasten maar kunnen aangezet worden waar gewenst.", - "HeaderInvitations": "Uitnodigingen", + "LabelExtractChaptersDuringLibraryScan": "Hoofdstuk afbeeldingen uitpakken tijdens het scannen van de bibliotheek", + "LabelExtractChaptersDuringLibraryScanHelp": "Wanneer ingeschakeld worden hoofdstuk afbeeldingen uitgepakt wanneer video's worden ge\u00efmporteerd tijdens het scannen van de bibliotheek. Wanneer uitgeschakeld worden de hoofdstuk afbeeldingen uitgepakt tijdens de geplande taak \"Hoofdstukken uitpakken\", waardoor de standaard bibliotheek scan sneller voltooid is.", + "LabelConnectGuestUserName": "Hun Emby gebruikersnaam of email adres:", + "LabelConnectUserName": "Emby gebruikersnaam\/email:", + "LabelConnectUserNameHelp": "Verbind deze gebruiker aan een Emby account om eenvoudig aanmelden vanaf elke Emby app toe te staan zonder dat u het IP-adres hoeft te weten.", + "ButtonLearnMoreAboutEmbyConnect": "Leer meer over Emby Connect", + "LabelExternalPlayers": "Externe spelers:", + "LabelExternalPlayersHelp": "Toon knoppen om inhoud in externe spelers of te spelen. Dit is alleen mogelijk op apparaten die 'url schemes' ondersteunen, meest Android en iOS. Met externe spelers is er over het algemeen geen ondersteuning voor afstandsbediening of hervatten.", + "LabelNativeExternalPlayersHelp": "Toon knoppen om media in externe spelers te kunnen spelen.", + "LabelEnableItemPreviews": "Schakel item preview in", + "LabelEnableItemPreviewsHelp": "Bij inschakelen zal op sommige schermen een preview getoond worden als op een item geklikt wordt.", + "HeaderSubtitleProfile": "Ondertitelingsprofiel", + "HeaderSubtitleProfiles": "Ondertitelingsprofielen", + "HeaderSubtitleProfilesHelp": "Ondertitelingsprofielen beschrijven de ondertitelings formaten ondersteund door het apparaat.", + "LabelFormat": "Formaat:", + "LabelMethod": "Methode:", + "LabelDidlMode": "Didl mode:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "Invoegen in container", + "OptionExternallyDownloaded": "Externe download", + "OptionHlsSegmentedSubtitles": "Hls gesegmenteerde ondertiteling", "LabelSubtitleFormatHelp": "Voorbeeld: srt", + "ButtonLearnMore": "Meer informatie", + "TabPlayback": "Afspelen", "HeaderLanguagePreferences": "Taal voorkeuren", "TabCinemaMode": "Cinema mode", "TitlePlayback": "Afspelen", "LabelEnableCinemaModeFor": "Schakel cinema mode in voor:", "CinemaModeConfigurationHelp": "Cinema mode brengt de theater ervaring naar uw woonkamer met de mogelijkheid om trailers en eigen intro's voor de film af te spelen", - "LabelExtractChaptersDuringLibraryScan": "Hoofdstuk afbeeldingen uitpakken tijdens het scannen van de bibliotheek", - "OptionReportList": "Lijst weergave", "OptionTrailersFromMyMovies": "Voeg trailers van films uit mijn bibliotheek toe", "OptionUpcomingMoviesInTheaters": "Voeg trailers van nieuwe en verwachte films toe", - "LabelExtractChaptersDuringLibraryScanHelp": "Wanneer ingeschakeld worden hoofdstuk afbeeldingen uitgepakt wanneer video's worden ge\u00efmporteerd tijdens het scannen van de bibliotheek. Wanneer uitgeschakeld worden de hoofdstuk afbeeldingen uitgepakt tijdens de geplande taak \"Hoofdstukken uitpakken\", waardoor de standaard bibliotheek scan sneller voltooid is.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Deze functies vereisen een actieve ondersteuners lidmaatschap en installatie van de Trailer-kanaal plugin.", "LabelLimitIntrosToUnwatchedContent": "Gebruik alleen trailers van films die nog niet gekeken zijn", - "OptionReportStatistics": "Statistieken", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Schakel slimme ouderlijke toezicht in", - "OptionUpcomingDvdMovies": "Inclusief trailers van nieuwe en aankomende films op Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers worden alleen geselecteerd als de ouderlijke toezicht lager of gelijk is aan de film die gekeken wordt.", - "HeaderThisUserIsCurrentlyDisabled": "Deze gebruiker is momenteel uitgesloten", - "OptionUpcomingStreamingMovies": "Inclusief trailers van nieuwe en aankomende films op Netflix", - "HeaderNewUsers": "Nieuwe gebruikers", - "HeaderUpcomingSports": "Sport binnenkort", - "OptionReportGrouping": "Groupering", - "LabelDisplayTrailersWithinMovieSuggestions": "Toon trailers binnen film suggesties", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Deze functies vereisen een actieve ondersteuners lidmaatschap en installatie van de Trailer-kanaal plugin.", "OptionTrailersFromMyMoviesHelp": "Vereist instellingen voor lokale trailers.", - "ButtonSignUp": "Aanmelden", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Vereist installatie van het Trailer-kanaal.", "LabelCustomIntrosPath": "Eigen intro's pad:", - "MessageReenableUser": "Zie hieronder hoe opnieuw in te schakelen", "LabelCustomIntrosPathHelp": "Een map met video bestanden. na de trailers wordt er een willekeurige video afgespeeld.", - "LabelUploadSpeedLimit": "Upload limiet (Mbps):", - "TabPlayback": "Afspelen", - "OptionAllowSyncTranscoding": "Sta synchronisatie toe die transcodering vereist", - "LabelConnectUserName": "Emby gebruikersnaam\/email:", - "LabelConnectUserNameHelp": "Verbind deze gebruiker aan een Emby account om eenvoudig aanmelden vanaf elke Emby app toe te staan zonder dat u het IP-adres hoeft te weten.", - "HeaderPlayback": "Media afspelen", - "HeaderViewStyles": "Bekijk stijlen", - "TabJobs": "Opdrachten", - "TabSyncJobs": "Sync Opdrachten", - "LabelSelectViewStyles": "Schakel verbeterde presentatie in voor:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Gebruikers zullen een bericht ontvangen als afspelen niet is toegestaan op basis van het beleid", - "LabelSelectViewStylesHelp": "Bij inschakelen zullen overzichten met met categorie\u00ebn zoals suggesties, recente, genres en meer getoond worden. Bij uitschakelen worden simpele mappen getoond.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Aankoop", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Wachtwoord vergeten", - "LabelConnectGuestUserName": "Hun Emby gebruikersnaam of email adres:", + "ValueSpecialEpisodeName": "Speciaal - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", + "OptionUpcomingDvdMovies": "Inclusief trailers van nieuwe en aankomende films op Dvd & Blu-ray", + "OptionUpcomingStreamingMovies": "Inclusief trailers van nieuwe en aankomende films op Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Toon trailers binnen film suggesties", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Vereist installatie van het Trailer-kanaal.", + "CinemaModeConfigurationHelp2": "Gebruikers kunnen in hun eigen instellingen Cinema Mode uitschakelen", + "LabelEnableCinemaMode": "Cinema Mode inschakelen", + "HeaderCinemaMode": "Cinema Mode", + "LabelDateAddedBehavior": "Datum toegevoegd gedrag voor nieuwe content:", + "OptionDateAddedImportTime": "Gebruik scan datum", + "OptionDateAddedFileTime": "Gebruik aanmaak datum bestand", + "LabelDateAddedBehaviorHelp": "Als metadata gegevens aanwezig zijn hebben deze voorrang op deze opties.", + "LabelNumberTrailerToPlay": "Aantal af te spelen trailers:", + "TitleDevices": "Apparaten", + "TabCameraUpload": "Camera upload", + "TabDevices": "Apparaten", + "HeaderCameraUploadHelp": "Foto's en video's genomen met uw mobiele apparaten automatisch uploaden naar Emby .", + "MessageNoDevicesSupportCameraUpload": "U hebt op dit moment geen apparaten die camera upload ondersteunen.", + "LabelCameraUploadPath": "Camera upload pad:", + "LabelCameraUploadPathHelp": "Geef een eigen upload pad op, indien gewenst. Deze map moet ook aan de bibliotheek instellingen toegevoegd worden. Als er niets opgegeven is wordt de standaard map gebruikt.", + "LabelCreateCameraUploadSubfolder": "Maak een submap voor elk apparaat", + "LabelCreateCameraUploadSubfolderHelp": "Specifieke mappen kunnen aan een apparaat toegekend worden door er op te klikken in de apparaten pagina.", + "LabelCustomDeviceDisplayName": "Weergave naam:", + "LabelCustomDeviceDisplayNameHelp": "Geef een eigen weergave naam op of laat deze leeg om de naam te gebruiken die het apparaat opgeeft.", + "HeaderInviteUser": "Nodig gebruiker uit", "LabelConnectGuestUserNameHelp": "Dit is de gebruikersnaam die uw vriend gebruikt om zich aan te melden bij de Emby website, of hun e-mailadres", + "HeaderInviteUserHelp": "Delen van uw media met vrienden is eenvoudiger dan ooit met Emby Connect.", + "ButtonSendInvitation": "Stuur uitnodiging", + "HeaderSignInWithConnect": "Aanmelden met Emby Connect", + "HeaderGuests": "Gasten", + "HeaderLocalUsers": "Lokale gebruikers", + "HeaderPendingInvitations": "Uitstaande uitnodigingen", + "TabParentalControl": "Ouderlijk toezicht", + "HeaderAccessSchedule": "Schema Toegang", + "HeaderAccessScheduleHelp": "Maak een toegangsschema om de toegang tot bepaalde tijden te beperken.", + "ButtonAddSchedule": "Voeg schema toe", + "LabelAccessDay": "Dag van de week:", + "LabelAccessStart": "Start tijd:", + "LabelAccessEnd": "Eind tijd:", + "HeaderSchedule": "Schema", + "OptionEveryday": "Elke dag", + "OptionWeekdays": "Week dagen", + "OptionWeekends": "Weekend", + "MessageProfileInfoSynced": "Gebruikersprofiel informatie gesynchroniseerd met Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optioneel: Koppel uw Emby account", + "ButtonTrailerReel": "Trailer reel", + "HeaderTrailerReel": "Trailer reel", + "OptionPlayUnwatchedTrailersOnly": "Speel alleen ongeziene trailers", + "HeaderTrailerReelHelp": "Start trailer reel om een afspeellijst met trailers af te spelen.", + "MessageNoTrailersFound": "Geen trailers gevonden. Installeer het Trailers kanaal en verbeter uw film ervaring door middel van een bibliotheek met internet trailers.", + "HeaderNewUsers": "Nieuwe gebruikers", + "ButtonSignUp": "Aanmelden", "ButtonForgotPassword": "Wachtwoord vergeten", + "OptionDisableUserPreferences": "Voorkom toegang tot gebruikers voorkeuren", + "OptionDisableUserPreferencesHelp": "Indien ingeschakeld kunnen alleen beheerders profielafbeeldingen, wachtwoorden en taalinstellingen wijzigen.", + "HeaderSelectServer": "Selecteer server", + "MessageNoServersAvailableToConnect": "Er zijn geen servers beschikbaar om mee te verbinden. Als u uitgenodigd bent om een server te delen accepteer dit hieronder of door op de link in het emailbericht te klikken.", + "TitleNewUser": "Nieuwe gebruiker", + "ButtonConfigurePassword": "Configureer wachtwoord", + "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.", + "HeaderInvitations": "Uitnodigingen", "LabelForgotPasswordUsernameHelp": "Vul uw gebruikersnaam in, als u deze weet.", + "HeaderForgotPassword": "Wachtwoord vergeten", "TitleForgotPassword": "Wachtwoord vergeten", "TitlePasswordReset": "Wachtwoord resetten", - "TabParentalControl": "Ouderlijk toezicht", "LabelPasswordRecoveryPinCode": "Pincode:", - "HeaderAccessSchedule": "Schema Toegang", "HeaderPasswordReset": "Wachtwoord resetten", - "HeaderAccessScheduleHelp": "Maak een toegangsschema om de toegang tot bepaalde tijden te beperken.", "HeaderParentalRatings": "Ouderlijke toezicht", - "ButtonAddSchedule": "Voeg schema toe", "HeaderVideoTypes": "Video types", - "LabelAccessDay": "Dag van de week:", "HeaderYears": "Jaren", - "LabelAccessStart": "Start tijd:", - "LabelAccessEnd": "Eind tijd:", - "LabelDvdSeasonNumber": "Dvd seizoensnummer:", + "HeaderAddTag": "Voeg tag toe", + "LabelBlockContentWithTags": "Blokkeer inhoud met labels:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Beperk tot \u00e9\u00e9n enkele ingesloten afbeelding", + "LabelEnableSingleImageInDidlLimitHelp": "Sommige apparaten zullen niet goed weergeven als er meerdere afbeeldingen ingesloten zijn in Didl.", + "TabActivity": "Activiteit", + "TitleSync": "Synchroniseer", + "OptionAllowSyncContent": "Sync toestaan", + "OptionAllowContentDownloading": "Media downloaden toestaan", + "NameSeasonUnknown": "Seizoen Onbekend", + "NameSeasonNumber": "Seizoen {0}", + "LabelNewUserNameHelp": "Gebruikersnamen kunnen letters (az), cijfers (0-9), streepjes, underscores (_), apostrofs (') en punten (.) bevatten\n", + "TabJobs": "Opdrachten", + "TabSyncJobs": "Sync Opdrachten", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "Als toegestane tags worden gebruikt in een diep geneste mappenstructuur, zal getagde inhoud vereisen dat de bovenliggende mappen ook getagd zijn.", + "HeaderThisUserIsCurrentlyDisabled": "Deze gebruiker is momenteel uitgesloten", + "MessageReenableUser": "Zie hieronder hoe opnieuw in te schakelen", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata voor:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Aankomende Films", + "HeaderUpcomingSports": "Sport binnenkort", + "HeaderUpcomingPrograms": "Aankomende Programma's", + "ButtonMoreItems": "Meer", + "LabelShowLibraryTileNames": "Toon bibliotheek tegel namen", + "LabelShowLibraryTileNamesHelp": "Bepaalt of labels onder de bibliotheek tegels zullen worden weergegeven op de startpagina", + "OptionEnableTranscodingThrottle": "Throtteling inschakelen", + "OptionEnableTranscodingThrottleHelp": "Throtteling zal automatisch de snelheid van het transcoderen aanpassen om de cpu belasting laag te houden tijdens het afspelen.", + "LabelUploadSpeedLimit": "Upload limiet (Mbps):", + "OptionAllowSyncTranscoding": "Synchronisatie die transcodering vereist toestaan", + "HeaderPlayback": "Media afspelen", + "OptionAllowAudioPlaybackTranscoding": "Afspelen van audio via transcoding toestaan", + "OptionAllowVideoPlaybackTranscoding": "Afspelen van video via transcoding toestaan", + "OptionAllowMediaPlaybackTranscodingHelp": "Gebruikers zullen een bericht ontvangen als afspelen niet is toegestaan op basis van het beleid", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Client bitrate limiet (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "Een optionele streaming bitrate limiet voor alle clients. Dit wordt gebruikt om te voorkomen dat clients een hogere bitrate aanvragen dan de internet connectie kan leveren.", + "LabelConversionCpuCoreLimit": "CPU core limiet:", + "LabelConversionCpuCoreLimitHelp": "Limiteer het aantal CPU cores dat gebruikt mag worden bij een omzetting om te synchroniseren.", + "OptionEnableFullSpeedConversion": "Inschakelen conversie op hoge snelheid", + "OptionEnableFullSpeedConversionHelp": "Standaard wordt het converteren voor synchronisatie opdrachten op lage snelheid uitgevoerd zodat er zo min mogelijk impact is op de server.", + "HeaderPlaylists": "Afspeellijsten", + "HeaderViewStyles": "Bekijk stijlen", + "LabelSelectViewStyles": "Schakel verbeterde presentatie in voor:", + "LabelSelectViewStylesHelp": "Bij inschakelen zullen overzichten met met categorie\u00ebn zoals suggesties, recente, genres en meer getoond worden. Bij uitschakelen worden simpele mappen getoond.", + "TabPhotos": "Foto's", + "TabVideos": "Video's", + "HeaderWelcomeToEmby": "Welkom bij Emby", + "EmbyIntroMessage": "Met Emby kunt u eenvoudig films, muziek en foto's naar uw telefoon, tablet en andere apparatuur streamen.", + "ButtonSkip": "Overslaan", + "TextConnectToServerManually": "Verbind handmatig met de server", + "ButtonSignInWithConnect": "Aanmelden met Emby Connect", + "ButtonConnect": "Verbind", + "LabelServerHost": "Server:", + "LabelServerHostHelp": "192.168.1.100 of https:\/\/myserver.com", + "LabelServerPort": "Poort:", + "HeaderNewServer": "Nieuwe Server", + "ButtonChangeServer": "Wijzig server", + "HeaderConnectToServer": "Verbind met server", + "OptionReportList": "Lijst weergave", + "OptionReportStatistics": "Statistieken", + "OptionReportGrouping": "Groepering", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd afleveringsnummer:", - "LabelAbsoluteEpisodeNumber": "Absoluut afleveringsnummer:", - "LabelAirsBeforeSeason": "Uitgezonden voor seizoen:", "HeaderColumns": "Kolommen", - "LabelAirsAfterSeason": "Uitgezonden na seizoen:" + "ButtonReset": "Rest", + "OptionEnableExternalVideoPlayers": "Inschakelen van externe video-spelers", + "ButtonUnlockGuide": "Gids vrijgeven", + "LabelEnableFullScreen": "Schakel Full Screen in", + "LabelEnableChromecastAc3Passthrough": "Schakel Chromecast AC3 Passthrough in", + "LabelSyncPath": "Gesynchroniseerde inhoud pad:", + "LabelEmail": "Email adres:", + "LabelUsername": "Gebruikersnaam:", + "HeaderSignUp": "Meld aan", + "LabelPasswordConfirm": "Wachtworod (Bevestig)", + "ButtonAddServer": "Voeg server toe", + "TabHomeScreen": "Start scherm", + "HeaderDisplay": "Weergave", + "HeaderNavigation": "Navigatie", + "LegendTheseSettingsShared": "Deze instellingen worden gedeeld op alle apparaten" } \ 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 d6a539f6d2..3285c627b0 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/pl.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/pl.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Usu\u0144 obrazek", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Wy\u015blij", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Wy\u015blij nowy obrazek", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Wstaw obraz tutaj", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nic tutaj nie ma.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Upewnij si\u0119 \u017ce pobieranie metadanych z internetu jest w\u0142\u0105czone.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Sugerowane", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Ostatnie", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Seriale", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Odcinki", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Rodzaje", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Osoby", - "ButtonAdd": "Add", - "TabNetworks": "Sieci", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Oficjalne wydanie", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Niestabilne)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Wyj\u015b\u0107", + "LabelVisitCommunity": "Odwied\u017a spo\u0142eczno\u015b\u0107", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standardowy", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Przejrzyj bibliotek\u0119", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Otw\u00f3rz przegl\u0105dark\u0119 biblioteki", + "LabelRestartServer": "Uruchom serwer ponownie", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Wstecz", + "LabelFinish": "Koniec", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Dalej", + "LabelYoureDone": "Sko\u0144czy\u0142e\u015b!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "Asystent pomo\u017ce Ci podczas instalacji. Na pocz\u0105tku, wybierz tw\u00f3j preferowany j\u0119zyk.", + "TellUsAboutYourself": "Opowiedz nam o sobie", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Twoje imi\u0119:", + "MoreUsersCanBeAddedLater": "Mo\u017cesz doda\u0107 wi\u0119cej u\u017cytkownik\u00f3w p\u00f3\u017aniej przez tablic\u0119 rozdzielcz\u0105.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Serwis Windows", + "AWindowsServiceHasBeenInstalled": "Serwis Windows zosta\u0142 zainstalowany.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Je\u015bli u\u017cywacie serwisu windows, to nie mo\u017ce on by\u0107 w\u0142\u0105czony r\u00f3wnocze\u015bnie z ikon\u0105 na pasku wi\u0119c b\u0119dziecie musieli j\u0105 wy\u0142\u0105czy\u0107 \u017ceby serwis dzia\u0142a\u0142. Nale\u017cy r\u00f3wnie\u017c ten serwis skonfigurowa\u0107 z uprawnieniami administracyjnymi poprzez panel sterowania. Prosz\u0119 wzi\u0105\u0107 pod uwag\u0119, \u017ce w tym momencie nie ma samo aktualizacji, nowe wersje b\u0119d\u0105 wi\u0119c potrzebowa\u0142y manualnej interwencji.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Skonfiguruj ustawienia", + "LabelEnableVideoImageExtraction": "W\u0142\u0105cz ekstrakcj\u0119 obrazu wideo", + "VideoImageExtractionHelp": "Dla filmik\u00f3w kt\u00f3re nie maj\u0105 jeszcze obraz\u00f3w i dla kt\u00f3rych nie mo\u017cemy \u017cadnych znale\u017a\u0107 na internecie. Zwi\u0119kszy to czas wst\u0119pnego skanowania biblioteki ale wynikiem b\u0119dzie \u0142adniejsza prezentacja.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "W\u0142\u0105cz automatyczne mapowanie port\u00f3w", + "LabelEnableAutomaticPortMappingHelp": "UPnP umo\u017cliwia automatyczne ustawienie routera dla \u0142atwego zdalnego dost\u0119pu. Ta opcja mo\u017ce nie dzia\u0142a\u0107 na niekt\u00f3rych modelach router\u00f3w.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Anuluj", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Ustaw swoj\u0105 bibliotek\u0119", + "ButtonAddMediaFolder": "Dodaj folder", + "LabelFolderType": "Typ folderu:", + "ReferToMediaLibraryWiki": "Odnie\u015b si\u0119 do wiki biblioteki.", + "LabelCountry": "Kraj:", + "LabelLanguage": "J\u0119zyk:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferowany j\u0119zyk metadanych:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferencje", + "TabPassword": "Has\u0142o", + "TabLibraryAccess": "Dost\u0119p do biblioteki", + "TabAccess": "Access", + "TabImage": "Obraz", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Wy\u015bwietl brakuj\u0105ce odcinki w sezonach", + "LabelUnairedMissingEpisodesWithinSeasons": "Wy\u015bwietl nie wydanie odcinki w sezonach", + "HeaderVideoPlaybackSettings": "Ustawienia odtwarzania wideo", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Preferencje j\u0119zyka audio:", + "LabelSubtitleLanguagePreference": "Preferencje j\u0119zyka napis\u00f3w:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "U\u017cytkownicy", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filtry:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filtr", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Ulubione", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profile", + "TabSecurity": "Zabezpieczenie", + "ButtonAddUser": "Dodaj u\u017cytkownika", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Zapisz", + "ButtonResetPassword": "Zresetuj has\u0142o", + "LabelNewPassword": "Nowe has\u0142o:", + "LabelNewPasswordConfirm": "Potwierd\u017a nowe has\u0142o:", + "HeaderCreatePassword": "Stw\u00f3rz has\u0142o:", + "LabelCurrentPassword": "Bie\u017c\u0105ce has\u0142o:", + "LabelMaxParentalRating": "Maksymalna dozwolona ocena rodzicielska:", + "MaxParentalRatingHelp": "Zawarto\u015b\u0107 z wy\u017csz\u0105 ocen\u0105 b\u0119dzie schowana dla tego u\u017cytkownika.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Usu\u0144 obrazek", + "LabelSelectUsers": "Select users:", + "ButtonUpload": "Wy\u015blij", + "HeaderUploadNewImage": "Wy\u015blij nowy obrazek", + "LabelDropImageHere": "Wstaw obraz tutaj", + "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", + "MessageNothingHere": "Nic tutaj nie ma.", + "MessagePleaseEnsureInternetMetadata": "Upewnij si\u0119 \u017ce pobieranie metadanych z internetu jest w\u0142\u0105czone.", + "TabSuggested": "Sugerowane", + "TabSuggestions": "Suggestions", + "TabLatest": "Ostatnie", + "TabUpcoming": "Upcoming", + "TabShows": "Seriale", + "TabEpisodes": "Odcinki", + "TabGenres": "Rodzaje", + "TabPeople": "Osoby", + "TabNetworks": "Sieci", + "HeaderUsers": "U\u017cytkownicy", + "HeaderFilters": "Filtry:", + "ButtonFilter": "Filtr", + "OptionFavorite": "Ulubione", + "OptionLikes": "Likes", + "OptionDislikes": "Dislikes", "OptionActors": "Aktorzy", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Dyrektorzy", - "TabCollections": "Collections", "OptionWriters": "Pisarze", - "TabFavorites": "Favorites", "OptionProducers": "Producenci", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Wzn\u00f3w", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "Nie znaleziono \u017cadnego. Zacznij ogl\u0105da\u0107 twoje seriale!", "HeaderLatestEpisodes": "Ostanie odcinki", @@ -219,42 +200,32 @@ "TabMusicVideos": "Teledyski", "ButtonSort": "Sortuj", "HeaderSortBy": "Sortuj wed\u0142ug:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Kolejno\u015b\u0107 sortowania:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Odtworzony", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Nie odtworzony", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Rosn\u0105co", "OptionDescending": "Malej\u0105co", "OptionRuntime": "D\u0142ugo\u015b\u0107 filmu", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Ilo\u015b\u0107 odtworze\u0144", "OptionDatePlayed": "Data odtworzenia", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Data dodania", - "HeaderTV": "TV", "OptionAlbumArtist": "Artysta albumu", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artysta", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Nazwa utworu", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Ocena spo\u0142eczno\u015bci", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Nazwa", + "OptionFolderSort": "Folders", "OptionBudget": "Bud\u017cet", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Doch\u00f3d", "OptionPoster": "Plakat", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Ocena krytyk\u00f3w", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Zaplanowane zadania", "TabMyPlugins": "Moje wtyczki", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Asystent pomo\u017ce Ci podczas instalacji. Na pocz\u0105tku, wybierz tw\u00f3j preferowany j\u0119zyk.", - "TellUsAboutYourself": "Opowiedz nam o sobie", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatyczne aktualizacje", - "LabelYourFirstName": "Twoje imi\u0119:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "Mo\u017cesz doda\u0107 wi\u0119cej u\u017cytkownik\u00f3w p\u00f3\u017aniej przez tablic\u0119 rozdzielcz\u0105.", "HeaderNowPlaying": "Teraz odtwarzany", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Ostatnie albumy", - "LabelWindowsService": "Serwis Windows", "HeaderLatestSongs": "Ostatnie utwory", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Serwis Windows zosta\u0142 zainstalowany.", "HeaderRecentlyPlayed": "Ostatnio grane", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Cz\u0119sto grane", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "Je\u015bli u\u017cywacie serwisu windows, to nie mo\u017ce on by\u0107 w\u0142\u0105czony r\u00f3wnocze\u015bnie z ikon\u0105 na pasku wi\u0119c b\u0119dziecie musieli j\u0105 wy\u0142\u0105czy\u0107 \u017ceby serwis dzia\u0142a\u0142. Nale\u017cy r\u00f3wnie\u017c ten serwis skonfigurowa\u0107 z uprawnieniami administracyjnymi poprzez panel sterowania. Prosz\u0119 wzi\u0105\u0107 pod uwag\u0119, \u017ce w tym momencie nie ma samo aktualizacji, nowe wersje b\u0119d\u0105 wi\u0119c potrzebowa\u0142y manualnej interwencji.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Skonfiguruj ustawienia", - "LabelEnableVideoImageExtraction": "W\u0142\u0105cz ekstrakcj\u0119 obrazu wideo", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "Dla filmik\u00f3w kt\u00f3re nie maj\u0105 jeszcze obraz\u00f3w i dla kt\u00f3rych nie mo\u017cemy \u017cadnych znale\u017a\u0107 na internecie. Zwi\u0119kszy to czas wst\u0119pnego skanowania biblioteki ale wynikiem b\u0119dzie \u0142adniejsza prezentacja.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "W\u0142\u0105cz automatyczne mapowanie port\u00f3w", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP umo\u017cliwia automatyczne ustawienie routera dla \u0142atwego zdalnego dost\u0119pu. Ta opcja mo\u017ce nie dzia\u0142a\u0107 na niekt\u00f3rych modelach router\u00f3w.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Anuluj", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Ustaw swoj\u0105 bibliotek\u0119", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Dodaj folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Typ folderu:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Odnie\u015b si\u0119 do wiki biblioteki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Kraj:", - "LabelLanguage": "J\u0119zyk:", - "HeaderPreferredMetadataLanguage": "Preferowany j\u0119zyk metadanych:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Wyj\u015b\u0107", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Odwied\u017a spo\u0142eczno\u015b\u0107", "LabelVideoType": "Type widea", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standardowy", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Przejrzyj bibliotek\u0119", "LabelFeatures": "W\u0142a\u015bciwo\u015bci", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Napisy", - "LabelOpenLibraryViewer": "Otw\u00f3rz przegl\u0105dark\u0119 biblioteki", "OptionHasTrailer": "Zwiastun", - "LabelRestartServer": "Uruchom serwer ponownie", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Wstecz", "TabMovies": "Filmy", - "LabelFinish": "Koniec", "TabStudios": "Studia", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Dalej", "TabTrailers": "Zwiastuny", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Sko\u0144czy\u0142e\u015b!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Ostatnie filmy", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Ostatnie zwiastuny", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "Ocena IMDb", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Ocena rodzicielska", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Data premiery", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Podstawowe", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Zaawansowane", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Zako\u0144czony", - "HeaderSync": "Sync", - "TabPreferences": "Preferencje", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Has\u0142o", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Niedziela", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Dost\u0119p do biblioteki", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Poniedzia\u0142ek", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Obraz", - "TabActivityLog": "Activity Log", "OptionTuesday": "Wtorek", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "Name", "OptionWednesday": "\u015aroda", - "LabelDisplayMissingEpisodesWithinSeasons": "Wy\u015bwietl brakuj\u0105ce odcinki w sezonach", - "HeaderDate": "Date", "OptionThursday": "Czwartek", - "LabelUnairedMissingEpisodesWithinSeasons": "Wy\u015bwietl nie wydanie odcinki w sezonach", - "HeaderSource": "Source", "OptionFriday": "Pi\u0105tek", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Ustawienia odtwarzania wideo", - "HeaderDestination": "Destination", "OptionSaturday": "Sobota", - "LabelAudioLanguagePreference": "Preferencje j\u0119zyka audio:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Preferencje j\u0119zyka napis\u00f3w:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Brakuje Id IMDb", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Brakuje Id TheTVDB", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profile", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "Og\u00f3lne", + "TitleSupport": "Wesprzyj", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "A propos", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Szukaj w Bazy Wiedzy", + "VisitTheCommunity": "Odwied\u017a spo\u0142eczno\u015b\u0107", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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": "Imi\u0119:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Pozw\u00f3l temu u\u017cytkownikowi zarz\u0105dza\u0107 serwerem", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Zabezpieczenie", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Dodaj u\u017cytkownika", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "Og\u00f3lne", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Zapisz", - "TitleSupport": "Wesprzyj", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Zresetuj has\u0142o", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "Nowe has\u0142o:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "A propos", "VersionNumber": "Wersja {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "Potwierd\u017a nowe has\u0142o:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "\u015acie\u017cki", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Stw\u00f3rz has\u0142o:", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Serwer", - "TabSeries": "Series", - "LabelCurrentPassword": "Bie\u017c\u0105ce has\u0142o:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maksymalna dozwolona ocena rodzicielska:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Zawarto\u015b\u0107 z wy\u017csz\u0105 ocen\u0105 b\u0119dzie schowana dla tego u\u017cytkownika.", - "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.", - "SearchKnowledgeBase": "Szukaj w Bazy Wiedzy", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Odwied\u017a spo\u0142eczno\u015b\u0107", + "OptionRelease": "Oficjalne wydanie", + "OptionBeta": "Beta", + "OptionDev": "Dev (Niestabilne)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Wybierz folder", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Imi\u0119:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Pozw\u00f3l temu u\u017cytkownikowi zarz\u0105dza\u0107 serwerem", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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": "Gry", + "TabMusic": "Muzyka", + "TabOthers": "Inne", + "HeaderExtractChapterImagesFor": "Extract chapter images for:", + "OptionMovies": "Filmy", + "OptionEpisodes": "Odcinki", + "OptionOtherVideos": "Inne widea", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Gry", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Muzyka", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Inne", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Filmy", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Odcinki", "TabHome": "Home", - "OptionOtherVideos": "Inne widea", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 d4415d0084..d6644e3636 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/pt-BR.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/pt-BR.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bem vindo ao Emby!", - "LabelImageSavingConvention": "Conven\u00e7\u00e3o para salvar a imagem:", - "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.", - "HeaderNewCollection": "Nova Cole\u00e7\u00e3o", - "LabelImageSavingConventionHelp": "Emby reconhece as imagens da maioria das aplica\u00e7\u00f5es de m\u00eddia. Escolher a conven\u00e7\u00e3o para fazer download \u00e9 \u00fatil se usar outros produtos.", - "OptionImageSavingCompatible": "Compat\u00edvel - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Associado ao Emby Connect", - "OptionImageSavingStandard": "Padr\u00e3o - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Criar", - "ButtonSignIn": "Iniciar Sess\u00e3o", - "LiveTvPluginRequired": "Um provedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.", - "TitleSignIn": "Iniciar Sess\u00e3o", - "LiveTvPluginRequiredHelp": "Por favor, instale um de nossos plugins dispon\u00edveis como, por exemplo, Next Pvr ou ServerWmc.", - "LabelWebSocketPortNumber": "N\u00famero da porta do web socket:", - "ProjectHasCommunity": "Emby tem uma comunidade crescente de usu\u00e1rios e contribuidores.", - "HeaderPleaseSignIn": "Por favor, inicie a sess\u00e3o", - "LabelUser": "Usu\u00e1rio:", - "LabelExternalDDNS": "Endere\u00e7o WAN externo:", - "TabOther": "Outros", - "LabelPassword": "Senha:", - "OptionDownloadThumbImage": "\u00cdcone", - "LabelExternalDDNSHelp": "Se possuir um DNS din\u00e2mico digite aqui. As apps do Emby o usar\u00e3o para conectar-se remotamente. Deixe em branco para detec\u00e7\u00e3o autom\u00e1tica.", - "VisitProjectWebsite": "Visite o Web Site do Emby", - "ButtonManualLogin": "Login Manual", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Retomar", - "PasswordLocalhostMessage": "Senhas n\u00e3o s\u00e3o exigidas quando iniciar a sess\u00e3o no host local.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Tempo", - "OptionDownloadBoxImage": "Caixa", - "TitleAppSettings": "Configura\u00e7\u00f5es da App", - "ButtonDeleteImage": "Excluir Imagem", - "VisitProjectWebsiteLong": "Visite o web site do Emby para obter as \u00faltimas novidades e se manter informado com o blog dos desenvolvedores.", - "OptionDownloadDiscImage": "Disco", - "LabelMinResumePercentage": "Porcentagem m\u00ednima para retomar:", - "ButtonUpload": "Carregar", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Porcentagem m\u00e1xima para retomar:", - "HeaderUploadNewImage": "Carregar Nova Imagem", - "OptionDownloadBackImage": "Traseira", - "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima para retomar (segundos):", - "OptionHideWatchedContentFromLatestMedia": "Ocultar conte\u00fado j\u00e1 assistido das m\u00eddias recentes", - "LabelDropImageHere": "Soltar imagem aqui", - "OptionDownloadArtImage": "Arte", - "LabelMinResumePercentageHelp": "T\u00edtulos s\u00e3o considerados como n\u00e3o assistidos se parados antes deste tempo", - "ImageUploadAspectRatioHelp": "Propor\u00e7\u00e3o de Imagem 1:1 Recomendada. Apenas JPG\/PNG", - "OptionDownloadPrimaryImage": "Capa", - "LabelMaxResumePercentageHelp": "T\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo", - "MessageNothingHere": "Nada aqui.", - "HeaderFetchImages": "Buscar Imagens:", - "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o poder\u00e3o ser retomados", - "TabSuggestions": "Sugest\u00f5es", - "MessagePleaseEnsureInternetMetadata": "Por favor, certifique-se que o download de metadados da internet est\u00e1 habilitado.", - "HeaderImageSettings": "Ajustes da Imagem", - "TabSuggested": "Sugeridos", - "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:", - "TabLatest": "Recentes", - "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de tela por item:", - "TabUpcoming": "Por Estrear", - "LabelMinBackdropDownloadWidth": "Tamanho m\u00ednimo da imagem de fundo para download:", - "TabShows": "S\u00e9ries", - "LabelMinScreenshotDownloadWidth": "Tamanho m\u00ednimo da imagem de tela para download:", - "TabEpisodes": "Epis\u00f3dios", - "ButtonAddScheduledTaskTrigger": "Adicionar Disparador", - "TabGenres": "G\u00eaneros", - "HeaderAddScheduledTaskTrigger": "Adicionar Disparador", - "TabPeople": "Pessoas", - "ButtonAdd": "Adicionar", - "TabNetworks": "Redes", - "LabelTriggerType": "Tipo de Disparador:", - "OptionDaily": "Di\u00e1rio", - "OptionWeekly": "Semanal", - "OptionOnInterval": "Em um intervalo", - "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o", - "ButtonHelp": "Ajuda", - "OptionAfterSystemEvent": "Depois de um evento do sistema", - "LabelDay": "Dia:", - "LabelTime": "Hora:", - "OptionRelease": "Lan\u00e7amento Oficial", - "LabelEvent": "Evento:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Despertar da hiberna\u00e7\u00e3o", - "ButtonInviteUser": "Convidar Usu\u00e1rio", - "OptionDev": "Dev (Inst\u00e1vel)", - "LabelEveryXMinutes": "A cada:", - "HeaderTvTuners": "Sintonizador", - "CategorySync": "Sincroniza\u00e7\u00e3o", - "HeaderGallery": "Galeria", - "HeaderLatestGames": "Jogos Recentes", - "RegisterWithPayPal": "Registrar com PayPal", - "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", + "LabelExit": "Sair", + "LabelVisitCommunity": "Visitar a Comunidade", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Padr\u00e3o", "LabelApiDocumentation": "Documenta\u00e7\u00e3o da Api", - "Option2Player": "2+", "LabelDeveloperResources": "Recursos do Desenvolvedor", - "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", - "LabelManagement": "Administra\u00e7\u00e3o:", - "HeaderMusicVideos": "V\u00eddeos Musicais", - "HeaderSpecialFeatures": "Recursos Especiais", + "LabelBrowseLibrary": "Explorar Biblioteca", + "LabelConfigureServer": "Configurar o Emby", + "LabelOpenLibraryViewer": "Abrir Visualizador da Biblioteca", + "LabelRestartServer": "Reiniciar Servidor", + "LabelShowLogWindow": "Exibir Janela de Log", + "LabelPrevious": "Anterior", + "LabelFinish": "Finalizar", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Pr\u00f3ximo", + "LabelYoureDone": "Pronto!", + "WelcomeToProject": "Bem vindo ao Emby!", + "ThisWizardWillGuideYou": "Este assistente ir\u00e1 gui\u00e1-lo pelo processo de instala\u00e7\u00e3o. Para come\u00e7ar, por favor selecione seu idioma preferido.", + "TellUsAboutYourself": "Conte-nos sobre voc\u00ea", + "ButtonQuickStartGuide": "Guia r\u00e1pido", + "LabelYourFirstName": "Seu primeiro nome:", + "MoreUsersCanBeAddedLater": "Mais usu\u00e1rios poder\u00e3o ser adicionados depois dentro do Painel.", + "UserProfilesIntro": "Emby inclui suporte nativo para perfis de usu\u00e1rios, permitindo que cada usu\u00e1rio tenha seus pr\u00f3prios ajustes de visualiza\u00e7\u00e3o, estado da reprodu\u00e7\u00e3o e controles parentais.", + "LabelWindowsService": "Servi\u00e7o do Windows", + "AWindowsServiceHasBeenInstalled": "Foi instalado um Servi\u00e7o do Windows.", + "WindowsServiceIntro1": "O Servidor Emby normalmente \u00e9 executado como uma aplica\u00e7\u00e3o de desktop com um \u00edcone na bandeja do sistema, mas se preferir executar como um servi\u00e7o em segundo plano, pode ser iniciado no painel de controle de servi\u00e7os do windows.", + "WindowsServiceIntro2": "Se usar o servi\u00e7o do Windows, por favor certifique-se que n\u00e3o esteja sendo executado ao mesmo tempo que o \u00edcone na bandeja, se estiver ter\u00e1 que sair da app antes de executar o servi\u00e7o. O servi\u00e7o necessita ser configurado com privil\u00e9gios de administrador no painel de controle. Neste momento o servi\u00e7o n\u00e3o pode se auto-atualizar, por isso novas vers\u00f5es exigir\u00e3o intera\u00e7\u00e3o manual.", + "WizardCompleted": "Isto \u00e9 tudo no momento. Emby come\u00e7ou a coletar informa\u00e7\u00f5es de sua biblioteca de m\u00eddias. Confira algumas de nossas apps e ent\u00e3o cliqueTerminar<\/b> para ver o Painel do Servidor<\/b>.", + "LabelConfigureSettings": "Configurar ajustes", + "LabelEnableVideoImageExtraction": "Ativar extra\u00e7\u00e3o de imagens de v\u00eddeo", + "VideoImageExtractionHelp": "Para v\u00eddeos que n\u00e3o tenham imagens e que n\u00e3o possamos encontrar imagens na internet. Isto aumentar\u00e1 o tempo do rastreamento inicial da biblioteca mas resultar\u00e1 em uma apresenta\u00e7\u00e3o mais bonita.", + "LabelEnableChapterImageExtractionForMovies": "Extrair imagens de cap\u00edtulos dos Filmes", + "LabelChapterImageExtractionForMoviesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, ocasionar uso intensivo de cpu e pode exigir bastante espa\u00e7o em disco. Ele ser\u00e1 executado como uma tarefa noturna, embora isto possa ser configur\u00e1vel na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de pico de uso.", + "LabelEnableAutomaticPortMapping": "Ativar mapeamento de porta autom\u00e1tico", + "LabelEnableAutomaticPortMappingHelp": "UPnP permite uma configura\u00e7\u00e3o automatizada do roteador para acesso remoto f\u00e1cil. Isto pode n\u00e3o funcionar em alguns modelos de roteadores.", + "HeaderTermsOfService": "Termos de Servi\u00e7o do Emby", + "MessagePleaseAcceptTermsOfService": "Por favor, aceite os termos de servi\u00e7o e pol\u00edtica de privacidade antes de continuar.", + "OptionIAcceptTermsOfService": "Aceito os termos de servi\u00e7o", + "ButtonPrivacyPolicy": "Pol\u00edtica de privacidade", + "ButtonTermsOfService": "Termos de Servi\u00e7o", "HeaderDeveloperOptions": "Op\u00e7\u00f5es de Desenvolvedor", - "HeaderCastCrew": "Elenco & Equipe", - "LabelLocalHttpServerPortNumber": "N\u00famero da porta local de http:", - "HeaderAdditionalParts": "Partes Adicionais", "OptionEnableWebClientResponseCache": "Ativar o cache de resposta do client web", - "LabelLocalHttpServerPortNumberHelp": "O n\u00famero da porta tcp que o servidor http do Emby deveria se conectar.", - "ButtonSplitVersionsApart": "Separar Vers\u00f5es", - "LabelSyncTempPath": "Caminho de arquivo tempor\u00e1rio:", "OptionDisableForDevelopmentHelp": "Configure esta op\u00e7\u00e3o de acordo ao prop\u00f3sito de desenvolvimento do cliente web", - "LabelMissing": "Faltando", - "LabelSyncTempPathHelp": "Especifique uma pasta de trabalho para a sincroniza\u00e7\u00e3o personalizada. M\u00eddias convertidas criadas durante o processo de sincroniza\u00e7\u00e3o ser\u00e3o aqui armazenadas.", - "LabelEnableAutomaticPortMap": "Habilitar mapeamento autom\u00e1tico de portas", - "LabelOffline": "Desconectado", "OptionEnableWebClientResourceMinification": "Ativar a minimiza\u00e7\u00e3o de recursos do cliente web", - "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.", - "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.", - "LabelCustomCertificatePath": "Caminho do certificado personalizado:", - "HeaderFrom": "De", "LabelDashboardSourcePath": "Caminho fonte do cliente web:", - "HeaderTo": "Para", - "LabelCustomCertificatePathHelp": "Forne\u00e7a seu pr\u00f3prio arquivo .pfx do certificado ssl. Se omitido, o servidor criar\u00e1 um certificado auto-assinado.", - "LabelFrom": "De:", "LabelDashboardSourcePathHelp": "Se executar o servidor a partir do c\u00f3digo, especifique o caminho para a pasta da interface do painel. Todos os arquivos do cliente web ser\u00e3o usados nesta localiza\u00e7\u00e3o.", - "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)", - "ButtonAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", - "LabelTo": "Para:", + "ButtonConvertMedia": "Converter m\u00eddia", + "ButtonOrganize": "Organizar", + "LinkedToEmbyConnect": "Associado ao Emby Connect", + "HeaderSupporterBenefits": "Benef\u00edcios do Colaborador", + "HeaderAddUser": "Adicionar Usu\u00e1rio", + "LabelAddConnectSupporterHelp": "Para adicionar um usu\u00e1rio que n\u00e3o esteja listado, voc\u00ea precisar\u00e1 associar sua conta ao Emby Connect na sua p\u00e1gina de perfil.", + "LabelPinCode": "C\u00f3digo Pin:", + "OptionHideWatchedContentFromLatestMedia": "Ocultar conte\u00fado j\u00e1 assistido das m\u00eddias recentes", + "HeaderSync": "Sincroniza\u00e7\u00e3o", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonExit": "Sair", + "ButtonNew": "Novo", + "HeaderTV": "TV", + "HeaderAudio": "\u00c1udio", + "HeaderVideo": "V\u00eddeo", "HeaderPaths": "Caminhos", - "LabelToHelp": "Exemplo: \\\\MeuServidor\\Filmes (um caminho que os clientes possam acessar)", - "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o", + "CategorySync": "Sincroniza\u00e7\u00e3o", + "TabPlaylist": "Lista de Reprodu\u00e7\u00e3o", + "HeaderEasyPinCode": "C\u00f3digo de Pin Facil", + "HeaderGrownupsOnly": "Adultos Apenas!", + "DividerOr": "-- ou --", + "HeaderInstalledServices": "Servi\u00e7os Instalados", + "HeaderAvailableServices": "Servi\u00e7os Dispon\u00edveis", + "MessageNoServicesInstalled": "N\u00e3o existem servi\u00e7os instalados atualmente.", + "HeaderToAccessPleaseEnterEasyPinCode": "Para acessar, por favor digite seu c\u00f3digo pin f\u00e1cil", + "KidsModeAdultInstruction": "Clique no \u00edcone de bloqueio no canto inferior direito para configurar ou deixar o modo infantil. Seu c\u00f3digo pin ser\u00e1 necess\u00e1rio.", + "ButtonConfigurePinCode": "Configurar c\u00f3digo pin", + "HeaderAdultsReadHere": "Adultos Leiam Aqui!", + "RegisterWithPayPal": "Registrar com PayPal", + "HeaderSyncRequiresSupporterMembership": "Sincroniza\u00e7\u00e3o Necessita de uma Ades\u00e3o de Colaborador", + "HeaderEnjoyDayTrial": "Aproveite um per\u00edodo de 14 dias gr\u00e1tis para testes", + "LabelSyncTempPath": "Caminho de arquivo tempor\u00e1rio:", + "LabelSyncTempPathHelp": "Especifique uma pasta de trabalho para a sincroniza\u00e7\u00e3o personalizada. M\u00eddias convertidas criadas durante o processo de sincroniza\u00e7\u00e3o ser\u00e3o aqui armazenadas.", + "LabelCustomCertificatePath": "Caminho do certificado personalizado:", + "LabelCustomCertificatePathHelp": "Forne\u00e7a seu pr\u00f3prio arquivo .pfx do certificado ssl. Se omitido, o servidor criar\u00e1 um certificado auto-assinado.", "TitleNotifications": "Notifica\u00e7\u00f5es", - "OptionSpecialEpisode": "Especiais", - "OptionMissingEpisode": "Epis\u00f3dios Faltantes", "ButtonDonateWithPayPal": "Doe atrav\u00e9s do PayPal", + "OptionDetectArchiveFilesAsMedia": "Detectar arquivos compactados como m\u00eddia", + "OptionDetectArchiveFilesAsMediaHelp": "Se ativado, arquivos com extens\u00f5es .rar e .zip ser\u00e3o detectados como arquivos de m\u00eddia.", + "LabelEnterConnectUserName": "Nome de usu\u00e1rio ou e-mail:", + "LabelEnterConnectUserNameHelp": "Este \u00e9 o nome do usu\u00e1rio ou a senha da sua conta online do Emby.", + "LabelEnableEnhancedMovies": "Ativar exibi\u00e7\u00f5es de filme avan\u00e7adas", + "LabelEnableEnhancedMoviesHelp": "Quando ativado, os filmes ser\u00e3o exibidos como pastas para incluir trailers, extras, elenco & equipe e outros conte\u00fados relacionados.", + "HeaderSyncJobInfo": "Tarefa de Sincroniza\u00e7\u00e3o", + "FolderTypeMovies": "Filmes", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "V\u00eddeos adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "V\u00eddeos musicais", + "FolderTypeHomeVideos": "V\u00eddeos caseiros", + "FolderTypeGames": "Jogos", + "FolderTypeBooks": "Livros", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Herdar", - "OptionUnairedEpisode": "Epis\u00f3dios Por Estrear", "LabelContentType": "Tipo de conte\u00fado:", - "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio", "TitleScheduledTasks": "Tarefas Agendadas", - "OptionSeriesSortName": "Nome da S\u00e9rie", + "HeaderSetupLibrary": "Configurar sua biblioteca de m\u00eddias", + "ButtonAddMediaFolder": "Adicionar pasta de m\u00eddias", + "LabelFolderType": "Tipo de pasta:", + "ReferToMediaLibraryWiki": "Consultar wiki da biblioteca de m\u00eddias", + "LabelCountry": "Pa\u00eds:", + "LabelLanguage": "Idioma:", + "LabelTimeLimitHours": "Limite de tempo (horas):", + "ButtonJoinTheDevelopmentTeam": "Junte-se ao Time de Desenvolvimento", + "HeaderPreferredMetadataLanguage": "Idioma preferido dos metadados:", + "LabelSaveLocalMetadata": "Salvar artwork e metadados dentro das pastas da m\u00eddia", + "LabelSaveLocalMetadataHelp": "Salvar artwork e metadados diretamente nas pastas da m\u00eddia as deixar\u00e1 em um local f\u00e1cil para edit\u00e1-las.", + "LabelDownloadInternetMetadata": "Fazer download das imagens e metadados da internet", + "LabelDownloadInternetMetadataHelp": "O Servidor Emby pode fazer download das informa\u00e7\u00f5es de sua m\u00eddia para possibilitar belas apresenta\u00e7\u00f5es.", + "TabPreferences": "Prefer\u00eancias", + "TabPassword": "Senha", + "TabLibraryAccess": "Acesso \u00e0 Biblioteca", + "TabAccess": "Acesso", + "TabImage": "Imagem", + "TabProfile": "Perfil", + "TabMetadata": "Metadados", + "TabImages": "Imagens", "TabNotifications": "Notifica\u00e7\u00f5es", - "OptionTvdbRating": "Avalia\u00e7\u00e3o Tvdb", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Prefer\u00eancia de Qualidade de Transcodifica\u00e7\u00e3o:", - "OptionAutomaticTranscodingHelp": "O servidor decidir\u00e1 a qualidade e a velocidade", - "LabelPublicHttpPort": "N\u00famero da porta p\u00fablica de http:", - "OptionHighSpeedTranscodingHelp": "Qualidade pior, mas codifica\u00e7\u00e3o mais r\u00e1pida", - "OptionHighQualityTranscodingHelp": "Qualidade melhor, mas codifica\u00e7\u00e3o mais lenta", - "OptionPosterCard": "Cart\u00e3o da capa", - "LabelPublicHttpPortHelp": "O n\u00famero da porta p\u00fablica que dever\u00e1 ser mapeada para a porta local de http.", - "OptionMaxQualityTranscodingHelp": "A melhor qualidade com codifica\u00e7\u00e3o mais lenta e alto uso de CPU", - "OptionThumbCard": "Cart\u00e3o do \u00edcone", - "OptionHighSpeedTranscoding": "Velocidade mais alta", - "OptionAllowRemoteSharedDevices": "Permitir controle remoto de dispositivos compartilhados", - "LabelPublicHttpsPort": "N\u00famero da porta p\u00fablica de https:", - "OptionHighQualityTranscoding": "Qualidade melhor", - "OptionAllowRemoteSharedDevicesHelp": "Dispositivos dlna s\u00e3o considerados compartilhados at\u00e9 que um usu\u00e1rio comece a control\u00e1-lo.", - "OptionMaxQualityTranscoding": "Max qualidade", - "HeaderRemoteControl": "Controle Remoto", - "LabelPublicHttpsPortHelp": "O n\u00famero da porta p\u00fablica que dever\u00e1 ser mapeada para a porta local de https.", - "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o de transcodifica\u00e7\u00e3o", + "TabCollectionTitles": "T\u00edtulos", + "HeaderDeviceAccess": "Acesso ao Dispositivo", + "OptionEnableAccessFromAllDevices": "Ativar o acesso de todos os dispositivos", + "OptionEnableAccessToAllChannels": "Ativar o acesso a todos os canais", + "OptionEnableAccessToAllLibraries": "Ativar o acesso a todas as bibliotecas", + "DeviceAccessHelp": "Isto apenas aplica para dispositivos que podem ser identificados como \u00fanicos e n\u00e3o evitar\u00e3o o acesso do navegador. Filtrar o acesso ao dispositivo do usu\u00e1rio evitar\u00e1 que sejam usados novos dispositivos at\u00e9 que sejam aprovados aqui.", + "LabelDisplayMissingEpisodesWithinSeasons": "Exibir epis\u00f3dios que faltam dentro das temporadas", + "LabelUnairedMissingEpisodesWithinSeasons": "Exibir epis\u00f3dios por estrear dentro das temporadas", + "HeaderVideoPlaybackSettings": "Ajustes da Reprodu\u00e7\u00e3o de V\u00eddeo", + "HeaderPlaybackSettings": "Ajustes de Reprodu\u00e7\u00e3o", + "LabelAudioLanguagePreference": "Prefer\u00eancia do idioma do \u00e1udio:", + "LabelSubtitleLanguagePreference": "Prefer\u00eancia do idioma da legenda:", "OptionDefaultSubtitles": "Padr\u00e3o", - "OptionEnableDebugTranscodingLoggingHelp": "Isto criar\u00e1 arquivos de log muito grandes e s\u00f3 \u00e9 recomendado para identificar problemas.", - "LabelEnableHttps": "Reportar https como um endere\u00e7o externo", - "HeaderUsers": "Usu\u00e1rios", "OptionOnlyForcedSubtitles": "Apenas legendas for\u00e7adas", - "HeaderFilters": "Filtros:", "OptionAlwaysPlaySubtitles": "Sempre reproduzir legendas", - "LabelEnableHttpsHelp": "Se ativado, o servidor ir\u00e1 reportar uma url https para os clientes como um endere\u00e7o externo.", - "ButtonFilter": "Filtro", + "OptionNoSubtitles": "Nenhuma legenda", "OptionDefaultSubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas quando o \u00e1udio estiver em um idioma estrangeiro.", - "OptionFavorite": "Favoritos", "OptionOnlyForcedSubtitlesHelp": "Apenas legendas marcadas como for\u00e7adas ser\u00e3o carregadas.", - "LabelHttpsPort": "N\u00famero da porta local de https:", - "OptionLikes": "Gostei", "OptionAlwaysPlaySubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas independente do idioma do \u00e1udio.", - "OptionDislikes": "N\u00e3o Gostei", "OptionNoSubtitlesHelp": "As legendas n\u00e3o ser\u00e3o carregadas por padr\u00e3o.", - "LabelHttpsPortHelp": "O n\u00famero da porta tcp que o servidor https do Emby deveria se conectar.", + "TabProfiles": "Perfis", + "TabSecurity": "Seguran\u00e7a", + "ButtonAddUser": "Adicionar Usu\u00e1rio", + "ButtonAddLocalUser": "Adicionar Usu\u00e1rio Local", + "ButtonInviteUser": "Convidar Usu\u00e1rio", + "ButtonSave": "Salvar", + "ButtonResetPassword": "Redefinir Senha", + "LabelNewPassword": "Nova senha:", + "LabelNewPasswordConfirm": "Confirmar nova senha:", + "HeaderCreatePassword": "Criar Senha", + "LabelCurrentPassword": "Senha atual:", + "LabelMaxParentalRating": "Classifica\u00e7\u00e3o parental m\u00e1xima permitida:", + "MaxParentalRatingHelp": "Conte\u00fado com classifica\u00e7\u00e3o maior ser\u00e1 ocultado do usu\u00e1rio.", + "LibraryAccessHelp": "Selecione 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": "Excluir Imagem", + "LabelSelectUsers": "Selecionar usu\u00e1rios:", + "ButtonUpload": "Carregar", + "HeaderUploadNewImage": "Carregar Nova Imagem", + "LabelDropImageHere": "Soltar imagem aqui", + "ImageUploadAspectRatioHelp": "Propor\u00e7\u00e3o de Imagem 1:1 Recomendada. Apenas JPG\/PNG", + "MessageNothingHere": "Nada aqui.", + "MessagePleaseEnsureInternetMetadata": "Por favor, certifique-se que o download de metadados da internet est\u00e1 habilitado.", + "TabSuggested": "Sugeridos", + "TabSuggestions": "Sugest\u00f5es", + "TabLatest": "Recentes", + "TabUpcoming": "Por Estrear", + "TabShows": "S\u00e9ries", + "TabEpisodes": "Epis\u00f3dios", + "TabGenres": "G\u00eaneros", + "TabPeople": "Pessoas", + "TabNetworks": "Redes", + "HeaderUsers": "Usu\u00e1rios", + "HeaderFilters": "Filtros:", + "ButtonFilter": "Filtro", + "OptionFavorite": "Favoritos", + "OptionLikes": "Gostei", + "OptionDislikes": "N\u00e3o Gostei", "OptionActors": "Atores", - "TangibleSoftwareMessage": "Utilizando conversores Java\/C# da Tangible Solutions atrav\u00e9s de uma licen\u00e7a de doa\u00e7\u00e3o.", "OptionGuestStars": "Convidados Especiais", - "HeaderCredits": "Cr\u00e9ditos", "OptionDirectors": "Diretores", - "TabCollections": "Cole\u00e7\u00f5es", "OptionWriters": "Escritores", - "TabFavorites": "Favoritos", "OptionProducers": "Produtores", - "TabMyLibrary": "Minha Biblioteca", - "HeaderServices": "Servi\u00e7os", "HeaderResume": "Retomar", - "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de m\u00eddia:", "HeaderNextUp": "Pr\u00f3ximo", "NoNextUpItemsMessage": "Nenhum encontrado. Comece assistindo suas s\u00e9ries!", "HeaderLatestEpisodes": "Epis\u00f3dios Recentes", @@ -219,42 +200,32 @@ "TabMusicVideos": "V\u00eddeos Musicais", "ButtonSort": "Ordenar", "HeaderSortBy": "Ordenar Por:", - "OptionEnableAccessToAllChannels": "Ativar o acesso a todos os canais", "HeaderSortOrder": "Forma para Ordenar:", - "LabelAutomaticUpdates": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas", "OptionPlayed": "Reproduzido", - "LabelFanartApiKey": "Chave de api pessoal:", "OptionUnplayed": "N\u00e3o-reproduzido", - "LabelFanartApiKeyHelp": "Solicita\u00e7\u00f5es para fanart sem uma chave de API pessoal retornar\u00e3o resultados que foram aprovados h\u00e1 mais de 7 dias atr\u00e1s. Com uma chave de API pessoal isso diminui para 48 horas e se voc\u00ea for um membro VIP da fanart, isso diminuir\u00e1 para 10 minutos.", "OptionAscending": "Crescente", "OptionDescending": "Decrescente", "OptionRuntime": "Dura\u00e7\u00e3o", + "OptionReleaseDate": "Data de Lan\u00e7amento", "OptionPlayCount": "N\u00famero Reprodu\u00e7\u00f5es", "OptionDatePlayed": "Data da Reprodu\u00e7\u00e3o", - "HeaderRepeatingOptions": "Op\u00e7\u00f5es de Repeti\u00e7\u00e3o", "OptionDateAdded": "Data da Adi\u00e7\u00e3o", - "HeaderTV": "TV", "OptionAlbumArtist": "Artista do \u00c1lbum", - "HeaderTermsOfService": "Termos de Servi\u00e7o do Emby", - "LabelCustomCss": "Css personalizado:", - "OptionDetectArchiveFilesAsMedia": "Detectar arquivos compactados como m\u00eddia", "OptionArtist": "Artista", - "MessagePleaseAcceptTermsOfService": "Por favor, aceite os termos de servi\u00e7o e pol\u00edtica de privacidade antes de continuar.", - "OptionDetectArchiveFilesAsMediaHelp": "Se ativado, arquivos com extens\u00f5es .rar e .zip ser\u00e3o detectados como arquivos de m\u00eddia.", "OptionAlbum": "\u00c1lbum", - "OptionIAcceptTermsOfService": "Aceito os termos de servi\u00e7o", - "LabelCustomCssHelp": "Aplique o seu css personalizado para a interface web", "OptionTrackName": "Nome da Faixa", - "ButtonPrivacyPolicy": "Pol\u00edtica de privacidade", - "LabelSelectUsers": "Selecionar usu\u00e1rios:", "OptionCommunityRating": "Avalia\u00e7\u00e3o da Comunidade", - "ButtonTermsOfService": "Termos de Servi\u00e7o", "OptionNameSort": "Nome", + "OptionFolderSort": "Pastas", "OptionBudget": "Or\u00e7amento", - "OptionHideUserFromLoginHelp": "\u00datil para contas de administrador privadas ou ocultas. O usu\u00e1rio necessitar\u00e1 entrar manualmente, digitando seu nome de usu\u00e1rio e senha.", "OptionRevenue": "Faturamento", "OptionPoster": "Capa", + "OptionPosterCard": "Cart\u00e3o da capa", + "OptionBackdrop": "Imagem de Fundo", "OptionTimeline": "Linha do tempo", + "OptionThumb": "\u00cdcone", + "OptionThumbCard": "Cart\u00e3o do \u00edcone", + "OptionBanner": "Banner", "OptionCriticRating": "Avalia\u00e7\u00e3o da Cr\u00edtica", "OptionVideoBitrate": "Taxa do V\u00eddeo", "OptionResumable": "Por retomar", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Tarefas Agendadas", "TabMyPlugins": "Meus Plugins", "TabCatalog": "Cat\u00e1logo", - "ThisWizardWillGuideYou": "Este assistente ir\u00e1 gui\u00e1-lo pelo processo de instala\u00e7\u00e3o. Para come\u00e7ar, por favor selecione seu idioma preferido.", - "TellUsAboutYourself": "Conte-nos sobre voc\u00ea", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Atualiza\u00e7\u00f5es Autom\u00e1ticas", - "LabelYourFirstName": "Seu primeiro nome:", - "LabelPinCode": "C\u00f3digo Pin:", - "MoreUsersCanBeAddedLater": "Mais usu\u00e1rios poder\u00e3o ser adicionados depois dentro do Painel.", "HeaderNowPlaying": "Reproduzindo Agora", - "UserProfilesIntro": "Emby inclui suporte nativo para perfis de usu\u00e1rios, permitindo que cada usu\u00e1rio tenha seus pr\u00f3prios ajustes de visualiza\u00e7\u00e3o, estado da reprodu\u00e7\u00e3o e controles parentais.", "HeaderLatestAlbums": "\u00c1lbuns Recentes", - "LabelWindowsService": "Servi\u00e7o do Windows", "HeaderLatestSongs": "M\u00fasicas Recentes", - "ButtonExit": "Sair", - "ButtonConvertMedia": "Converter m\u00eddia", - "AWindowsServiceHasBeenInstalled": "Foi instalado um Servi\u00e7o do Windows.", "HeaderRecentlyPlayed": "Reprodu\u00e7\u00f5es Recentes", - "LabelTimeLimitHours": "Limite de tempo (horas):", - "WindowsServiceIntro1": "O Servidor Emby normalmente \u00e9 executado como uma aplica\u00e7\u00e3o de desktop com um \u00edcone na bandeja do sistema, mas se preferir executar como um servi\u00e7o em segundo plano, pode ser iniciado no painel de controle de servi\u00e7os do windows.", "HeaderFrequentlyPlayed": "Reprodu\u00e7\u00f5es Frequentes", - "ButtonOrganize": "Organizar", - "WindowsServiceIntro2": "Se usar o servi\u00e7o do Windows, por favor certifique-se que n\u00e3o esteja sendo executado ao mesmo tempo que o \u00edcone na bandeja, se estiver ter\u00e1 que sair da app antes de executar o servi\u00e7o. O servi\u00e7o necessita ser configurado com privil\u00e9gios de administrador no painel de controle. Neste momento o servi\u00e7o n\u00e3o pode se auto-atualizar, por isso novas vers\u00f5es exigir\u00e3o intera\u00e7\u00e3o manual.", "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.", - "HeaderGrownupsOnly": "Adultos Apenas!", - "WizardCompleted": "Isto \u00e9 tudo no momento. Emby come\u00e7ou a coletar informa\u00e7\u00f5es de sua biblioteca de m\u00eddias. Confira algumas de nossas apps e ent\u00e3o cliqueTerminar<\/b> para ver o Painel do Servidor<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Junte-se ao Time de Desenvolvimento", - "LabelConfigureSettings": "Configurar ajustes", - "LabelEnableVideoImageExtraction": "Ativar extra\u00e7\u00e3o de imagens de v\u00eddeo", - "DividerOr": "-- ou --", - "OptionEnableAccessToAllLibraries": "Ativar o acesso a todas as bibliotecas", - "VideoImageExtractionHelp": "Para v\u00eddeos que n\u00e3o tenham imagens e que n\u00e3o possamos encontrar imagens na internet. Isto aumentar\u00e1 o tempo do rastreamento inicial da biblioteca mas resultar\u00e1 em uma apresenta\u00e7\u00e3o mais bonita.", - "LabelEnableChapterImageExtractionForMovies": "Extrair imagens de cap\u00edtulos dos Filmes", - "HeaderInstalledServices": "Servi\u00e7os Instalados", - "LabelChapterImageExtractionForMoviesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, ocasionar uso intensivo de cpu e pode exigir bastante espa\u00e7o em disco. Ele ser\u00e1 executado como uma tarefa noturna, embora isto possa ser configur\u00e1vel na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de pico de uso.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "Para acessar, por favor digite seu c\u00f3digo pin f\u00e1cil", - "LabelEnableAutomaticPortMapping": "Ativar mapeamento de porta autom\u00e1tico", - "HeaderSupporterBenefits": "Benef\u00edcios do Colaborador", - "LabelEnableAutomaticPortMappingHelp": "UPnP permite uma configura\u00e7\u00e3o automatizada do roteador para acesso remoto f\u00e1cil. Isto pode n\u00e3o funcionar em alguns modelos de roteadores.", - "HeaderAvailableServices": "Servi\u00e7os Dispon\u00edveis", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Clique no \u00edcone de bloqueio no canto inferior direito para configurar ou deixar o modo infantil. Seu c\u00f3digo pin ser\u00e1 necess\u00e1rio.", - "ButtonCancel": "Cancelar", - "HeaderAddUser": "Adicionar Usu\u00e1rio", - "HeaderSetupLibrary": "Configurar sua biblioteca de m\u00eddias", - "MessageNoServicesInstalled": "N\u00e3o existem servi\u00e7os instalados atualmente.", - "ButtonAddMediaFolder": "Adicionar pasta de m\u00eddias", - "ButtonConfigurePinCode": "Configurar c\u00f3digo pin", - "LabelFolderType": "Tipo de pasta:", - "LabelAddConnectSupporterHelp": "Para adicionar um usu\u00e1rio que n\u00e3o esteja listado, voc\u00ea precisar\u00e1 associar sua conta ao Emby Connect na sua p\u00e1gina de perfil.", - "ReferToMediaLibraryWiki": "Consultar wiki da biblioteca de m\u00eddias", - "HeaderAdultsReadHere": "Adultos Leiam Aqui!", - "LabelCountry": "Pa\u00eds:", - "LabelLanguage": "Idioma:", - "HeaderPreferredMetadataLanguage": "Idioma preferido dos metadados:", - "LabelEnableEnhancedMovies": "Ativar exibi\u00e7\u00f5es de filme avan\u00e7adas", - "LabelSaveLocalMetadata": "Salvar artwork e metadados dentro das pastas da m\u00eddia", - "LabelSaveLocalMetadataHelp": "Salvar artwork e metadados diretamente nas pastas da m\u00eddia as deixar\u00e1 em um local f\u00e1cil para edit\u00e1-las.", - "LabelDownloadInternetMetadata": "Fazer download das imagens e metadados da internet", - "LabelEnableEnhancedMoviesHelp": "Quando ativado, os filmes ser\u00e3o exibidos como pastas para incluir trailers, extras, elenco & equipe e outros conte\u00fados relacionados.", - "HeaderDeviceAccess": "Acesso ao Dispositivo", - "LabelDownloadInternetMetadataHelp": "O Servidor Emby pode fazer download das informa\u00e7\u00f5es de sua m\u00eddia para possibilitar belas apresenta\u00e7\u00f5es.", - "OptionThumb": "\u00cdcone", - "LabelExit": "Sair", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visitar a Comunidade", "LabelVideoType": "Tipo de V\u00eddeo:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Padr\u00e3o", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Ativar o acesso de todos os dispositivos", - "LabelBrowseLibrary": "Explorar Biblioteca", "LabelFeatures": "Recursos:", - "DeviceAccessHelp": "Isto apenas aplica para dispositivos que podem ser identificados como \u00fanicos e n\u00e3o evitar\u00e3o o acesso do navegador. Filtrar o acesso ao dispositivo do usu\u00e1rio evitar\u00e1 que sejam usados novos dispositivos at\u00e9 que sejam aprovados aqui.", - "ChannelAccessHelp": "Selecione os canais a compartilhar com este usu\u00e1rio. Administradores poder\u00e3o editar todos os canais usando o gerenciador de metadados.", + "LabelService": "Servi\u00e7o:", + "LabelStatus": "Status:", + "LabelVersion": "Vers\u00e3o:", + "LabelLastResult": "\u00daltimo resultado:", "OptionHasSubtitles": "Legendas", - "LabelOpenLibraryViewer": "Abrir Visualizador da Biblioteca", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Reiniciar Servidor", "OptionHasThemeSong": "M\u00fasica-Tema", - "LabelShowLogWindow": "Exibir Janela de Log", "OptionHasThemeVideo": "V\u00eddeo-Tema", - "LabelPrevious": "Anterior", "TabMovies": "Filmes", - "LabelFinish": "Finalizar", "TabStudios": "Est\u00fadios", - "FolderTypeMixed": "Conte\u00fado misto", - "LabelNext": "Pr\u00f3ximo", "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmes", - "LabelYoureDone": "Pronto!", + "LabelArtists": "Artistas:", + "LabelArtistsHelp": "Separar m\u00faltiplos usando ;", "HeaderLatestMovies": "Filmes Recentes", - "FolderTypeMusic": "M\u00fasica", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sincroniza\u00e7\u00e3o Necessita de uma Ades\u00e3o de Colaborador", "HeaderLatestTrailers": "Trailers Recentes", - "FolderTypeAdultVideos": "V\u00eddeos adultos", "OptionHasSpecialFeatures": "Recursos Especiais", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Enviar", - "HeaderEnjoyDayTrial": "Aproveite um per\u00edodo de 14 dias gr\u00e1tis para testes", "OptionImdbRating": "Avalia\u00e7\u00e3o IMDb", - "FolderTypeMusicVideos": "V\u00eddeos musicais", - "LabelFailed": "Falhou", "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", - "FolderTypeHomeVideos": "V\u00eddeos caseiros", - "LabelSeries": "S\u00e9rie:", "OptionPremiereDate": "Data da Estr\u00e9ia", - "FolderTypeGames": "Jogos", - "ButtonRefresh": "Atualizar", "TabBasic": "B\u00e1sico", - "FolderTypeBooks": "Livros", - "HeaderPlaybackSettings": "Ajustes de Reprodu\u00e7\u00e3o", "TabAdvanced": "Avan\u00e7ado", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Em Exibi\u00e7\u00e3o", "OptionEnded": "Finalizada", - "HeaderSync": "Sincroniza\u00e7\u00e3o", - "TabPreferences": "Prefer\u00eancias", "HeaderAirDays": "Dias da Exibi\u00e7\u00e3o", - "OptionReleaseDate": "Data de Lan\u00e7amento", - "TabPassword": "Senha", - "HeaderEasyPinCode": "C\u00f3digo de Pin Facil", "OptionSunday": "Domingo", - "LabelArtists": "Artistas:", - "TabLibraryAccess": "Acesso \u00e0 Biblioteca", - "TitleAutoOrganize": "Auto-Organizar", "OptionMonday": "Segunda-feira", - "LabelArtistsHelp": "Separar m\u00faltiplos usando ;", - "TabImage": "Imagem", - "TabActivityLog": "Log de Atividades", "OptionTuesday": "Ter\u00e7a-feira", - "ButtonAdvancedRefresh": "Atualiza\u00e7\u00e3o Avan\u00e7ada", - "TabProfile": "Perfil", - "HeaderName": "Nome", "OptionWednesday": "Quarta-feira", - "LabelDisplayMissingEpisodesWithinSeasons": "Exibir epis\u00f3dios que faltam dentro das temporadas", - "HeaderDate": "Data", "OptionThursday": "Quinta-feira", - "LabelUnairedMissingEpisodesWithinSeasons": "Exibir epis\u00f3dios por estrear dentro das temporadas", - "HeaderSource": "Fonte", "OptionFriday": "Sexta-feira", - "ButtonAddLocalUser": "Adicionar Usu\u00e1rio Local", - "HeaderVideoPlaybackSettings": "Ajustes da Reprodu\u00e7\u00e3o de V\u00eddeo", - "HeaderDestination": "Destino", "OptionSaturday": "S\u00e1bado", - "LabelAudioLanguagePreference": "Prefer\u00eancia do idioma do \u00e1udio:", - "HeaderProgram": "Programa", "HeaderManagement": "Gerenciamento", - "OptionMissingTmdbId": "Faltando Id Tmdb", - "LabelSubtitleLanguagePreference": "Prefer\u00eancia do idioma da legenda:", - "HeaderClients": "Clientes", + "LabelManagement": "Administra\u00e7\u00e3o:", "OptionMissingImdbId": "Faltando Id IMDb", - "OptionIsHD": "HD", - "HeaderAudio": "\u00c1udio", - "LabelCompleted": "Conclu\u00eddo", "OptionMissingTvdbId": "Faltando Id TheTVDB", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Guia r\u00e1pido", - "TabProfiles": "Perfis", "OptionMissingOverview": "Faltando Sinopse", - "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Tarefa de Sincroniza\u00e7\u00e3o", - "TabSecurity": "Seguran\u00e7a", - "HeaderVideo": "V\u00eddeo", - "LabelSkipped": "Ignorada", "OptionFileMetadataYearMismatch": "Anos do Arquivo e Metadados n\u00e3o conferem", + "TabGeneral": "Geral", + "TitleSupport": "Suporte", + "LabelSeasonNumber": "N\u00famero da temporada", + "TabLog": "Log", + "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio", + "TabAbout": "Sobre", + "TabSupporterKey": "Chave de Colaborador", + "TabBecomeSupporter": "Torne-se um Colaborador", + "ProjectHasCommunity": "Emby tem uma comunidade crescente de usu\u00e1rios e contribuidores.", + "CheckoutKnowledgeBase": "Visite nossa base de conhecimento para obter ajuda para extrair o m\u00e1ximo do Emby.", + "SearchKnowledgeBase": "Pesquisar na Base de Conhecimento", + "VisitTheCommunity": "Visitar a Comunidade", + "VisitProjectWebsite": "Visite o Web Site do Emby", + "VisitProjectWebsiteLong": "Visite o web site do Emby para obter as \u00faltimas novidades e se manter informado com o blog dos desenvolvedores.", + "OptionHideUser": "Ocultar este usu\u00e1rio das telas de login", + "OptionHideUserFromLoginHelp": "\u00datil para contas de administrador privadas ou ocultas. O usu\u00e1rio necessitar\u00e1 entrar manualmente, digitando seu nome de usu\u00e1rio e senha.", + "OptionDisableUser": "Desativar este usu\u00e1rio", + "OptionDisableUserHelp": "Se estiver desativado o servidor n\u00e3o permitir\u00e1 nenhuma conex\u00e3o deste usu\u00e1rio. Conex\u00f5es existentes ser\u00e3o abruptamente terminadas.", + "HeaderAdvancedControl": "Controle Avan\u00e7ado", + "LabelName": "Nome:", + "ButtonHelp": "Ajuda", + "OptionAllowUserToManageServer": "Permitir a este usu\u00e1rio administrar o servidor", + "HeaderFeatureAccess": "Acesso aos Recursos", + "OptionAllowMediaPlayback": "Permitir reprodu\u00e7\u00e3o de m\u00eddia", + "OptionAllowBrowsingLiveTv": "Permitir acesso \u00e0 TV ao Vivo", + "OptionAllowDeleteLibraryContent": "Permitir exclus\u00e3o de m\u00eddia", + "OptionAllowManageLiveTv": "Permitir gerenciamento de grava\u00e7\u00f5es da TV ao Vivo", + "OptionAllowRemoteControlOthers": "Permitir controle remoto de outros usu\u00e1rios", + "OptionAllowRemoteSharedDevices": "Permitir controle remoto de dispositivos compartilhados", + "OptionAllowRemoteSharedDevicesHelp": "Dispositivos dlna s\u00e3o considerados compartilhados at\u00e9 que um usu\u00e1rio comece a control\u00e1-lo.", + "OptionAllowLinkSharing": "Permitir compartilhamento com m\u00eddia social", + "OptionAllowLinkSharingHelp": "Apenas p\u00e1ginas web que contenham informa\u00e7\u00f5es de m\u00eddia ser\u00e3o compartilhadas. Arquivos de m\u00eddia nunca ser\u00e3o compartilhados publicamente. Os compartilhamentos ter\u00e3o um limite de tempo e expirar\u00e3o com base nas defini\u00e7\u00f5es de compartilhamento do seu servidor.", + "HeaderSharing": "Compartilhar", + "HeaderRemoteControl": "Controle Remoto", + "OptionMissingTmdbId": "Faltando Id Tmdb", + "OptionIsHD": "HD", + "OptionIsSD": "SD", + "OptionMetascore": "Metascore", "ButtonSelect": "Selecionar", - "ButtonAddUser": "Adicionar Usu\u00e1rio", - "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o do Epis\u00f3dio", - "TabGeneral": "Geral", "ButtonGroupVersions": "Agrupar Vers\u00f5es", - "TabGuide": "Guia", - "ButtonSave": "Salvar", - "TitleSupport": "Suporte", + "ButtonAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o", "PismoMessage": "Utilizando Pismo File Mount atrav\u00e9s de uma licen\u00e7a de doa\u00e7\u00e3o", - "TabChannels": "Canais", - "ButtonResetPassword": "Redefinir Senha", - "LabelSeasonNumber": "N\u00famero da temporada:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizando conversores Java\/C# da Tangible Solutions atrav\u00e9s de uma licen\u00e7a de doa\u00e7\u00e3o.", + "HeaderCredits": "Cr\u00e9ditos", "PleaseSupportOtherProduces": "Por favor, apoie outros produtos gr\u00e1tis que utilizamos:", - "HeaderChannels": "Canais", - "LabelNewPassword": "Nova senha:", - "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:", - "TabAbout": "Sobre", "VersionNumber": "Vers\u00e3o {0}", - "TabRecordings": "Grava\u00e7\u00f5es", - "LabelNewPasswordConfirm": "Confirmar nova senha:", - "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:", - "TabSupporterKey": "Chave de Colaborador", "TabPaths": "Caminhos", - "TabScheduled": "Agendada", - "HeaderCreatePassword": "Criar Senha", - "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios", - "TabBecomeSupporter": "Torne-se um Colaborador", "TabServer": "Servidor", - "TabSeries": "S\u00e9ries", - "LabelCurrentPassword": "Senha atual:", - "HeaderSupportTheTeam": "Colabore com o Time do Emby", "TabTranscoding": "Transcodifica\u00e7\u00e3o", - "ButtonCancelRecording": "Cancelar Grava\u00e7\u00e3o", - "LabelMaxParentalRating": "Classifica\u00e7\u00e3o parental m\u00e1xima permitida:", - "LabelSupportAmount": "Valor (USD)", - "CheckoutKnowledgeBase": "Visite nossa base de conhecimento para obter ajuda para extrair o m\u00e1ximo do Emby.", "TitleAdvanced": "Avan\u00e7ado", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Conte\u00fado com classifica\u00e7\u00e3o maior ser\u00e1 ocultado do usu\u00e1rio.", - "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.", - "SearchKnowledgeBase": "Pesquisar na Base de Conhecimento", "LabelAutomaticUpdateLevel": "N\u00edvel de atualiza\u00e7\u00e3o autom\u00e1tica", - "LabelPrePaddingMinutes": "Minutos de Pre-padding:", - "LibraryAccessHelp": "Selecione as pastas de m\u00eddia para compartilhar com este usu\u00e1rio. Administradores poder\u00e3o editar todas as pastas usando o gerenciador de metadados.", - "ButtonEnterSupporterKey": "Digite a chave de colaborador", - "VisitTheCommunity": "Visitar a Comunidade", + "OptionRelease": "Lan\u00e7amento Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inst\u00e1vel)", "LabelAllowServerAutoRestart": "Permitir ao servidor reiniciar automaticamente para aplicar as atualiza\u00e7\u00f5es", - "OptionPrePaddingRequired": "\u00c9 necess\u00e1rio pre-padding para poder gravar.", - "OptionNoSubtitles": "Nenhuma legenda", - "DonationNextStep": "Depois de terminar, por favor volte e digite a chave de colaborador que recebeu por email.", "LabelAllowServerAutoRestartHelp": "O servidor s\u00f3 reiniciar\u00e1 durante os per\u00edodos ociosos, quando nenhum usu\u00e1rio estiver ativo.", - "LabelPostPaddingMinutes": "Minutos de Post-padding:", - "AutoOrganizeHelp": "Auto-organizar monitora suas pastas de download em busca de novos arquivos e os move para seus diret\u00f3rios de m\u00eddia.", "LabelEnableDebugLogging": "Ativar log de depura\u00e7\u00e3o", - "OptionPostPaddingRequired": "\u00c9 necess\u00e1rio post-padding para poder gravar.", - "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.", - "OptionHideUser": "Ocultar este usu\u00e1rio das telas de login", "LabelRunServerAtStartup": "Executar servidor na inicializa\u00e7\u00e3o", - "HeaderWhatsOnTV": "No ar", - "ButtonNew": "Novo", - "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios", - "OptionDisableUser": "Desativar este usu\u00e1rio", "LabelRunServerAtStartupHelp": "Esta op\u00e7\u00e3o abrir\u00e1 o \u00edcone da bandeja de sistema na inicializa\u00e7\u00e3o do windows. Para iniciar o servi\u00e7o do windows, desmarque esta op\u00e7\u00e3o e inicie o servi\u00e7o no painel de controle do windows. Por favor, saiba que voc\u00ea n\u00e3o pode executar os dois ao mesmo tempo, ent\u00e3o ser\u00e1 necess\u00e1rio sair do \u00edcone na bandeja antes de iniciar o servi\u00e7o.", - "HeaderUpcomingTV": "Breve na TV", - "TabMetadata": "Metadados", - "LabelWatchFolder": "Pasta de Monitora\u00e7\u00e3o:", - "OptionDisableUserHelp": "Se estiver desativado o servidor n\u00e3o permitir\u00e1 nenhuma conex\u00e3o deste usu\u00e1rio. Conex\u00f5es existentes ser\u00e3o abruptamente terminadas.", "ButtonSelectDirectory": "Selecionar Diret\u00f3rio", - "TabStatus": "Status", - "TabImages": "Imagens", - "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos arquivos de m\u00eddia'.", - "HeaderAdvancedControl": "Controle Avan\u00e7ado", "LabelCustomPaths": "Defina caminhos personalizados. Deixe os campos em branco para usar o padr\u00e3o.", - "TabSettings": "Ajustes", - "TabCollectionTitles": "T\u00edtulos", - "TabPlaylist": "Lista de Reprodu\u00e7\u00e3o", - "ButtonViewScheduledTasks": "Ver tarefas agendadas", - "LabelName": "Nome:", "LabelCachePath": "Caminho do cache:", - "ButtonRefreshGuideData": "Atualizar Dados do Guia", - "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo de arquivo (MB):", - "OptionAllowUserToManageServer": "Permitir a este usu\u00e1rio administrar o servidor", "LabelCachePathHelp": "Defina uma localiza\u00e7\u00e3o para os arquivos de cache como, por exemplo, imagens.", - "OptionPriority": "Prioridade", - "ButtonRemove": "Remover", - "LabelMinFileSizeForOrganizeHelp": "Arquivos menores que este tamanho ser\u00e3o ignorados.", - "HeaderFeatureAccess": "Acesso aos Recursos", "LabelImagesByNamePath": "Caminho do Images by name:", - "OptionRecordOnAllChannels": "Gravar em todos os canais", - "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.", - "TabAccess": "Acesso", - "LabelSeasonFolderPattern": "Padr\u00e3o da pasta de temporada:", - "OptionAllowMediaPlayback": "Permitir reprodu\u00e7\u00e3o de m\u00eddia", "LabelImagesByNamePathHelp": "Defina uma localiza\u00e7\u00e3o para imagens baixadas para ator, g\u00eanero e est\u00fadio.", - "OptionRecordAnytime": "Gravar a qualquer hora", - "HeaderAddTitles": "Adicionar T\u00edtulos", - "OptionAllowBrowsingLiveTv": "Permitir acesso \u00e0 TV ao Vivo", "LabelMetadataPath": "Caminho dos Metadados:", - "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios", - "LabelEnableDlnaPlayTo": "Ativar Reproduzir Em usando DLNA", - "OptionAllowDeleteLibraryContent": "Permitir exclus\u00e3o de m\u00eddia", "LabelMetadataPathHelp": "Defina uma localiza\u00e7\u00e3o para artwork e metadados baixados, caso n\u00e3o sejam salvos dentro das pastas de m\u00eddia.", - "HeaderDays": "Dias", - "LabelEnableDlnaPlayToHelp": "Emby pode detectar dispositivos dentro de sua rede e oferece a possibilidade de control\u00e1-los.", - "OptionAllowManageLiveTv": "Permitir gerenciamento de grava\u00e7\u00f5es da TV ao Vivo", "LabelTranscodingTempPath": "Caminho tempor\u00e1rio para transcodifica\u00e7\u00e3o:", + "LabelTranscodingTempPathHelp": "Esta pasta cont\u00e9m arquivos ativos usados pelo transcodificador. Especifique um caminho personalizado ou deixe em branco para usar o padr\u00e3o dentro da pasta de dados do servidor.", + "TabBasics": "B\u00e1sico", + "TabTV": "TV", + "TabGames": "Jogos", + "TabMusic": "M\u00fasica", + "TabOthers": "Outros", + "HeaderExtractChapterImagesFor": "Extrair imagens de cap\u00edtulos para:", + "OptionMovies": "Filmes", + "OptionEpisodes": "Epis\u00f3dios", + "OptionOtherVideos": "Outros V\u00eddeos", + "TitleMetadata": "Metadados", + "LabelAutomaticUpdates": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas", + "LabelAutomaticUpdatesTmdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas de The MovieDB.org", + "LabelAutomaticUpdatesTvdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas de TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao fanart.tv. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelAutomaticUpdatesTmdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao TheMovieDB.org. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelAutomaticUpdatesTvdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao TheTVDB.com. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelFanartApiKey": "Chave de api pessoal:", + "LabelFanartApiKeyHelp": "Solicita\u00e7\u00f5es para fanart sem uma chave de API pessoal retornar\u00e3o resultados que foram aprovados h\u00e1 mais de 7 dias atr\u00e1s. Com uma chave de API pessoal isso diminui para 48 horas e se voc\u00ea for um membro VIP da fanart, isso diminuir\u00e1 para 10 minutos.", + "ExtractChapterImagesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, demandar uso intensivo de cpu e pode exigir bastante espa\u00e7o em disco. Ele ser\u00e1 executado quando os v\u00eddeos forem descobertos e tamb\u00e9m como uma tarefa noturna. O agendamento pode ser configurado na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de pico de uso.", + "LabelMetadataDownloadLanguage": "Idioma preferido para download:", + "ButtonAutoScroll": "Auto-rolagem", + "LabelImageSavingConvention": "Conven\u00e7\u00e3o para salvar a imagem:", + "LabelImageSavingConventionHelp": "Emby reconhece as imagens da maioria das aplica\u00e7\u00f5es de m\u00eddia. Escolher a conven\u00e7\u00e3o para fazer download \u00e9 \u00fatil se usar outros produtos.", + "OptionImageSavingCompatible": "Compat\u00edvel - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Padr\u00e3o - MB2", + "ButtonSignIn": "Iniciar Sess\u00e3o", + "TitleSignIn": "Iniciar Sess\u00e3o", + "HeaderPleaseSignIn": "Por favor, inicie a sess\u00e3o", + "LabelUser": "Usu\u00e1rio:", + "LabelPassword": "Senha:", + "ButtonManualLogin": "Login Manual", + "PasswordLocalhostMessage": "Senhas n\u00e3o s\u00e3o exigidas quando iniciar a sess\u00e3o no host local.", + "TabGuide": "Guia", + "TabChannels": "Canais", + "TabCollections": "Cole\u00e7\u00f5es", + "HeaderChannels": "Canais", + "TabRecordings": "Grava\u00e7\u00f5es", + "TabScheduled": "Agendada", + "TabSeries": "S\u00e9ries", + "TabFavorites": "Favoritos", + "TabMyLibrary": "Minha Biblioteca", + "ButtonCancelRecording": "Cancelar Grava\u00e7\u00e3o", + "HeaderPrePostPadding": "Pre\/Post Padding", + "LabelPrePaddingMinutes": "Minutos de Pre-padding:", + "OptionPrePaddingRequired": "\u00c9 necess\u00e1rio pre-padding para poder gravar.", + "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 em todos os canais", + "OptionRecordAnytime": "Gravar a qualquer hora", + "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios", + "HeaderRepeatingOptions": "Op\u00e7\u00f5es de Repeti\u00e7\u00e3o", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Servi\u00e7os", + "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", + "HeaderAddScheduledTaskTrigger": "Adicionar Disparador", + "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": "A cada:", + "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.", + "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": "Emby pode detectar dispositivos dentro de sua rede e oferece a possibilidade de control\u00e1-los.", "LabelEnableDlnaDebugLogging": "Ativar o log de depura\u00e7\u00e3o de DLNA", - "OptionAllowRemoteControlOthers": "Permitir controle remoto de outros usu\u00e1rios", - "LabelTranscodingTempPathHelp": "Esta pasta cont\u00e9m arquivos ativos usados pelo transcodificador. Especifique um caminho personalizado ou deixe em branco para usar o padr\u00e3o dentro da pasta de dados do servidor.", - "HeaderLatestRecordings": "Grava\u00e7\u00f5es Recentes", "LabelEnableDlnaDebugLoggingHelp": "Isto criar\u00e1 arquivos de log grandes e s\u00f3 dever\u00e1 ser usado para resolver um problema.", - "TabBasics": "B\u00e1sico", - "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para descoberta do cliente (segundos)", - "LabelEnterConnectUserName": "Nome de usu\u00e1rio ou e-mail:", - "TabTV": "TV", - "LabelService": "Servi\u00e7o:", - "ButtonPlay": "Reproduzir", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre buscas SSDP executadas pelo Emby.", - "LabelEnterConnectUserNameHelp": "Este \u00e9 o nome do usu\u00e1rio ou a senha da sua conta online do Emby.", - "TabGames": "Jogos", - "LabelStatus": "Status:", - "ButtonEdit": "Editar", "HeaderCustomDlnaProfiles": "Personalizar Perfis", - "TabMusic": "M\u00fasica", - "LabelVersion": "Vers\u00e3o:", - "ButtonRecord": "Gravar", "HeaderSystemDlnaProfiles": "Perfis do Sistema", - "TabOthers": "Outros", - "LabelLastResult": "\u00daltimo resultado:", - "ButtonDelete": "Excluir", "CustomDlnaProfilesHelp": "Criar um perfil personalizado para um determinado novo dispositivo ou sobrescrever um perfil do sistema.", - "HeaderExtractChapterImagesFor": "Extrair imagens de cap\u00edtulos para:", - "OptionRecordSeries": "Gravar S\u00e9ries", "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.", - "OptionMovies": "Filmes", - "HeaderDetails": "Detalhes", "TitleDashboard": "Painel", - "OptionEpisodes": "Epis\u00f3dios", "TabHome": "In\u00edcio", - "OptionOtherVideos": "Outros V\u00eddeos", "TabInfo": "Info", - "TitleMetadata": "Metadados", "HeaderLinks": "Links", "HeaderSystemPaths": "Caminhos do Sistema", - "LabelAutomaticUpdatesTmdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas de The MovieDB.org", "LinkCommunity": "Comunidade", - "LabelAutomaticUpdatesTvdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas de TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao fanart.tv. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", + "LinkApi": "Api", "LinkApiDocumentation": "Documenta\u00e7\u00e3o da Api", - "LabelAutomaticUpdatesTmdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao TheMovieDB.org. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:", - "LabelAutomaticUpdatesTvdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente baixadas ao serem adicionadas ao TheTVDB.com. As Imagens atuais n\u00e3o ser\u00e3o substitu\u00eddas.", - "OptionFolderSort": "Pastas", "LabelFriendlyServerNameHelp": "Este nome ser\u00e1 usado para identificar este servidor. Se deixado em branco, ser\u00e1 usado o nome do computador.", - "LabelConfigureServer": "Configurar o Emby", - "ExtractChapterImagesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, demandar uso intensivo de cpu e pode exigir bastante espa\u00e7o em disco. Ele ser\u00e1 executado quando os v\u00eddeos forem descobertos e tamb\u00e9m como uma tarefa noturna. O agendamento pode ser configurado na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de pico de uso.", - "OptionBackdrop": "Imagem de Fundo", "LabelPreferredDisplayLanguage": "Idioma preferido para exibi\u00e7\u00e3o:", - "LabelMetadataDownloadLanguage": "Idioma preferido para download:", - "TitleLiveTV": "TV ao Vivo", "LabelPreferredDisplayLanguageHelp": "A tradu\u00e7\u00e3o do Emby \u00e9 um projeto cont\u00ednuo e ainda n\u00e3o completo.", - "ButtonAutoScroll": "Auto-rolagem", - "LabelNumberOfGuideDays": "N\u00famero de dias de dados do guia para download:", "LabelReadHowYouCanContribute": "Leia sobre como voc\u00ea pode contribuir.", + "HeaderNewCollection": "Nova Cole\u00e7\u00e3o", + "ButtonSubmit": "Enviar", + "ButtonCreate": "Criar", + "LabelCustomCss": "Css personalizado:", + "LabelCustomCssHelp": "Aplique o seu css personalizado para a interface web", + "LabelLocalHttpServerPortNumber": "N\u00famero da porta local de http:", + "LabelLocalHttpServerPortNumberHelp": "O n\u00famero da porta tcp que o servidor http do Emby deveria se conectar.", + "LabelPublicHttpPort": "N\u00famero da porta p\u00fablica de http:", + "LabelPublicHttpPortHelp": "O n\u00famero da porta p\u00fablica que dever\u00e1 ser mapeada para a porta local de http.", + "LabelPublicHttpsPort": "N\u00famero da porta p\u00fablica de https:", + "LabelPublicHttpsPortHelp": "O n\u00famero da porta p\u00fablica que dever\u00e1 ser mapeada para a porta local de https.", + "LabelEnableHttps": "Reportar https como um endere\u00e7o externo", + "LabelEnableHttpsHelp": "Se ativado, o servidor ir\u00e1 reportar uma url https para os clientes como um endere\u00e7o externo.", + "LabelHttpsPort": "N\u00famero da porta local de https:", + "LabelHttpsPortHelp": "O n\u00famero da porta tcp que o servidor https do Emby deveria se conectar.", + "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": "Endere\u00e7o WAN externo:", + "LabelExternalDDNSHelp": "Se possuir um DNS din\u00e2mico digite aqui. As apps do Emby o usar\u00e3o para conectar-se remotamente. Deixe em branco para detec\u00e7\u00e3o autom\u00e1tica.", + "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": "Conclu\u00eddo", + "LabelFailed": "Falhou", + "LabelSkipped": "Ignorada", + "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o do Epis\u00f3dio", + "LabelSeries": "S\u00e9rie:", + "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:", + "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios", + "HeaderSupportTheTeam": "Colabore com o Time do Emby", + "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": "Ver 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", + "HeaderHelpImproveProject": "Ajude a Melhorar o Emby", + "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o", + "HeaderActiveDevices": "Dispositivos Ativos", + "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes", + "HeaderServerInformation": "Informa\u00e7\u00e3o do Servidor", "ButtonRestartNow": "Reiniciar Agora", - "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.", - "ButtonOptions": "Op\u00e7\u00f5es", - "NotificationOptionApplicationUpdateInstalled": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o instalada", "ButtonRestart": "Reiniciar", - "LabelChannelDownloadPath": "Caminho para download do conte\u00fado do canal:", - "NotificationOptionPluginUpdateInstalled": "Atualiza\u00e7\u00e3o do plugin instalada", "ButtonShutdown": "Desligar", - "LabelChannelDownloadPathHelp": "Se desejar, defina um caminho personalizado para a transfer\u00eancia. Deixe em branco para fazer download para uma pasta interna do programa.", - "NotificationOptionPluginInstalled": "Plugin instalado", "ButtonUpdateNow": "Atualizar Agora", - "LabelChannelDownloadAge": "Excluir conte\u00fado depois de: (dias)", - "NotificationOptionPluginUninstalled": "Plugin desinstalado", + "TabHosting": "Hospedagem", "PleaseUpdateManually": "Por favor, desligue o servidor e atualize-o manualmente.", - "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.", - "NotificationOptionTaskFailed": "Falha na tarefa agendada", "NewServerVersionAvailable": "Uma nova vers\u00e3o do Emby est\u00e1 dispon\u00edvel!", - "ChannelSettingsFormHelp": "Instalar canais como, por exemplo, Trailers e Vimeo no cat\u00e1logo de plugins.", - "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o", "ServerUpToDate": "O Servidor Emby est\u00e1 atualizado", + "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 come\u00e7ar a desfrutar dos benef\u00edcios adicionais desenvolvidos pela comunidade do Emby.", + "MessageInvalidKey": "Chave do colaborador ausente ou inv\u00e1lida.", + "ErrorMessageInvalidKey": "Para que conte\u00fado premium seja registrado, voc\u00ea precisa ser um colaborador do Emby. Por favor, doe 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 que dispositivos UPnP em sua rede naveguem e reproduzam conte\u00fado do Emby.", + "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)", + "NotificationOptionCameraImageUploaded": "Imagem da c\u00e2mera carregada", + "NotificationOptionUserLockedOut": "Usu\u00e1rio bloqueado", + "HeaderSendNotificationHelp": "Por padr\u00e3o, as notifica\u00e7\u00f5es s\u00e3o mostradas na caixa de entrada do painel. Explore o cat\u00e1logo dos plugins para instalar op\u00e7\u00f5es de notifica\u00e7\u00e3o adicionais.", + "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", - "LabelComponentsUpdated": "Os seguintes componentes foram instalados ou atualizados:", + "CategoryApplication": "Aplica\u00e7\u00e3o", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "T\u00edtulo da mensagem:", - "ButtonNext": "Pr\u00f3xima", - "MessagePleaseRestartServerToFinishUpdating": "Por favor, reinicie o servidor para terminar de aplicar as atualiza\u00e7\u00f5es.", "LabelAvailableTokens": "Tokens dispon\u00edveis:", + "AdditionalNotificationServices": "Explore o cat\u00e1logo do plugin para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.", + "OptionAllUsers": "Todos os usu\u00e1rios", + "OptionAdminUsers": "Administradores", + "OptionCustomUsers": "Personalizado", + "ButtonArrowUp": "Subir", + "ButtonArrowDown": "Descer", + "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", - "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 e diminuir\u00e1 a necessidade de transcodifica\u00e7\u00e3o do v\u00eddeo.", + "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.", - "LabelSkipIfAudioTrackPresent": "Ignorar se a faixa de \u00e1udio padr\u00e3o coincidir com o idioma de download", "LabelProfileContainersHelp": "Separados por v\u00edrgula. Pode ser deixado em branco para usar com todos os containers.", - "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independente do idioma do \u00e1udio.", "HeaderResponseProfile": "Perfil de Resposta", "LabelType": "Tipo:", - "HeaderHelpImproveProject": "Ajude a Melhorar o Emby", + "LabelPersonRole": "Personagem:", + "LabelPersonRoleHelp": "O personagem geralmente s\u00f3 aplica para atores.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Codecs de v\u00eddeo:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Codecs de \u00e1udio:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Perfil da Reprodu\u00e7\u00e3o Direta", - "ButtonClose": "Fechar", - "TabView": "Visualizar", - "TabSort": "Ordenar", "HeaderTranscodingProfile": "Perfil da Transcodifica\u00e7\u00e3o", - "HeaderBecomeProjectSupporter": "Torne-se um Colaborador do Emby", - "OptionNone": "Nenhum", - "TabFilter": "Filtro", - "HeaderLiveTv": "TV ao Vivo", - "ButtonView": "Visualizar", "HeaderCodecProfile": "Perfil do Codec", - "HeaderReports": "Relat\u00f3rios", - "LabelPageSize": "Limite de itens:", "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.", - "HeaderMetadataManager": "Gerenciador de Metadados", - "LabelView": "Visualizar:", - "ViewTypePlaylists": "Listas de Reprodu\u00e7\u00e3o", - "HeaderPreferences": "Prefer\u00eancias", "HeaderContainerProfile": "Perfil do Container", - "MessageLoadingChannels": "Carregando conte\u00fado do canal...", - "ButtonMarkRead": "Marcar com lido", "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.", - "LabelAlbumArtists": "Artistas do \u00c1lbum:", - "OptionDefaultSort": "Padr\u00e3o", - "OptionCommunityMostWatchedSort": "Mais Assistidos", "OptionProfileVideo": "V\u00eddeo", - "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada", "OptionProfileAudio": "\u00c1udio", - "HeaderMyViews": "Minhas Visualiza\u00e7\u00f5es", "OptionProfileVideoAudio": "\u00c1udio do V\u00eddeo", - "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada", - "ButtonVolumeUp": "Aumentar volume", - "OptionLatestTvRecordings": "\u00daltimas grava\u00e7\u00f5es", - "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada", - "ButtonVolumeDown": "Diminuir volume", - "ButtonMute": "Mudo", "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.", - "ButtonArrowUp": "Subir", "OptionPlainStorageFolders": "Exibir todas as pastas como pastas de armazenamento simples", - "LabelChapterName": "Cap\u00edtulo {0}", - "NotificationOptionCameraImageUploaded": "Imagem da c\u00e2mera carregada", - "ButtonArrowDown": "Descer", "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\".", - "HeaderNewApiKey": "Nova Chave da Api", - "ButtonArrowLeft": "Esquerda", "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples", - "LabelAppName": "Nome da app", - "ButtonArrowRight": "Direita", - "LabelAppNameExample": "Exemplo: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Voltar", "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\".", - "HeaderNewApiKeyHelp": "Conceda permiss\u00e3o \u00e0 aplica\u00e7\u00e3o de se comunicar com o Servidor Emby.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Tipos de M\u00eddia Suportados:", - "ButtonPageUp": "Subir P\u00e1gina", "TabIdentification": "Identifica\u00e7\u00e3o", - "ButtonPageDown": "Descer P\u00e1gina", + "HeaderIdentification": "Identifica\u00e7\u00e3o", "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "In\u00edcio", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limitar o tamanho da pasta de download do canal.", - "ButtonSettings": "Ajustes", "TabResponses": "Respostas", - "ButtonTakeScreenshot": "Capturar Tela", "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil", - "ButtonLetterUp": "Letra Acima", - "ButtonLetterDown": "Letra Abaixo", "LabelEmbedAlbumArtDidl": "Embutir a capa do \u00e1lbum no Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Nome do usu\u00e1rio", - "TabNowPlaying": "Reproduzindo Agora", "LabelAlbumArtPN": "PN da capa do \u00e1lbum:", - "TabNavigation": "Navega\u00e7\u00e3o", "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:", - "ButtonFullscreen": "Alternar para tela cheia", "LabelAlbumArtMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima da capa do \u00e1lbum que \u00e9 exposta via upnp:albumArtURI.", - "HeaderDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o", - "ButtonAudioTracks": "Faixas de \u00e1udio", "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:", - "TabPlayTo": "Reproduzir Em", - "HeaderFeatures": "Recursos", "LabelIconMaxWidthHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.", - "LabelEnableDlnaServer": "Ativar servidor Dlna", - "HeaderAdvanced": "Avan\u00e7ado", "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:", - "LabelEnableDlnaServerHelp": "Permite que dispositivos UPnP em sua rede naveguem e reproduzam conte\u00fado do Emby.", "LabelIconMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.", - "LabelEnableBlastAliveMessages": "Enviar mensagens de explora\u00e7\u00e3o", "LabelIdentificationFieldHelp": "Uma substring ou express\u00e3o regex que n\u00e3o diferencia mai\u00fascula de min\u00fasculas.", - "LabelEnableBlastAliveMessagesHelp": "Ative esta fun\u00e7\u00e3o se o servidor n\u00e3o for detectado por outros dispositivos UPnP em sua rede.", - "CategoryApplication": "Aplica\u00e7\u00e3o", "HeaderProfileServerSettingsHelp": "Estes valores controlam como o Servidor Emby apresentar\u00e1 a si mesmo para o dispositivo.", - "LabelBlastMessageInterval": "Intervalo das mensagens de explora\u00e7\u00e3o (segundos)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Taxa de bits m\u00e1xima:", - "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.", - "NotificationOptionPluginError": "Falha no plugin", "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.", - "LabelDefaultUser": "Usu\u00e1rio padr\u00e3o:", + "LabelMaxStreamingBitrate": "Taxa m\u00e1xima para streaming:", + "LabelMaxStreamingBitrateHelp": "Defina uma taxa m\u00e1xima para fazer streaming.", + "LabelMaxChromecastBitrate": "Taxa de bits m\u00e1xima do Chromecast:", + "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", - "HeaderServerInformation": "Informa\u00e7\u00e3o do Servidor", - "LabelDefaultUserHelp": "Determina qual usu\u00e1rio ser\u00e1 exibido nos dispositivos conectados. Isto pode ser ignorado para cada dispositivo usando perfis.", "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", - "ViewTypeMovies": "Filmes", "LabelManufacturerUrl": "Url do fabricante", - "TabNextUp": "Pr\u00f3ximos", - "ViewTypeTvShows": "TV", "LabelModelName": "Nome do modelo", - "ViewTypeGames": "Jogos", "LabelModelNumber": "N\u00famero do modelo", - "ViewTypeMusic": "M\u00fasicas", "LabelModelDescription": "Descri\u00e7\u00e3o do modelo", - "LabelDisplayCollectionsViewHelp": "Esta op\u00e7\u00e3o criar\u00e1 uma visualiza\u00e7\u00e3o separada para exibir cole\u00e7\u00f5es criadas ou acessadas por voc\u00ea. Para criar uma cole\u00e7\u00e3o, clique com o bot\u00e3o direito ou toque e segure qualquer filme e selecione 'Adicionar \u00e0 Cole\u00e7\u00e3o'.", - "ViewTypeBoxSets": "Cole\u00e7\u00f5es", "LabelModelUrl": "Url do modelo", - "HeaderOtherDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o", "LabelSerialNumber": "N\u00famero de s\u00e9rie", "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo", - "LabelSelectFolderGroups": "Agrupar automaticamente o conte\u00fado das seguintes pastas dentro das visualiza\u00e7\u00f5es como Filmes, M\u00fasicas e TV:", "HeaderIdentificationCriteriaHelp": "Digite, ao menos, um crit\u00e9rio de identifica\u00e7\u00e3o.", - "LabelSelectFolderGroupsHelp": "Pastas que n\u00e3o est\u00e3o marcadas ser\u00e3o exibidas em sua pr\u00f3pria visualiza\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.", - "ViewTypeLiveTvNowPlaying": "Exibindo Agora", "HeaderResponseProfileHelp": "Perfis de resposta oferecem uma forma de personalizar a informa\u00e7\u00e3o enviada para o dispositivo ao executar certos tipos de m\u00eddia.", - "ViewTypeMusicFavorites": "Favoritos", - "ViewTypeLatestGames": "Jogos Recentes", - "ViewTypeMusicSongs": "M\u00fasicas", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "\u00c1lbuns Favoritos", - "ViewTypeRecentlyPlayedGames": "Reproduzido Recentemente", "LabelXDlnaCapHelp": "Determina o conte\u00fado do elemento X_DLNACAP no namespace urn:schemas-dlna-org:device-1-0.", - "ViewTypeMusicFavoriteArtists": "Artistas Favoritos", - "ViewTypeGameFavorites": "Favoritos", - "HeaderViewOrder": "Ordem da Visualiza\u00e7\u00e3o", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "M\u00fasicas Favoritas", - "HeaderHttpHeaders": "Cabe\u00e7alhos de Http", - "ViewTypeGameSystems": "Sistemas de Jogo", - "LabelSelectUserViewOrder": "Escolha a ordem que suas visualiza\u00e7\u00f5es ser\u00e3o exibidas dentro das apps do Emby", "LabelXDlnaDocHelp": "Determina o conte\u00fado do elemento X_DLNADOC no namespace urn:schemas-dlna-org:device-1-0", - "HeaderIdentificationHeader": "Cabe\u00e7alho de Identifica\u00e7\u00e3o", - "ViewTypeGameGenres": "G\u00eaneros", - "MessageNoChapterProviders": "Instale um plugin provedor de cap\u00edtulos como o ChapterDb para habilitar mais op\u00e7\u00f5es de cap\u00edtulos.", "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:", - "LabelValue": "Valor:", - "ViewTypeTvResume": "Retomar", - "TabChapters": "Cap\u00edtulos", "LabelSonyAggregationFlagsHelp": "Determina o conte\u00fado do elemento aggregationFlags no namespace urn:schemas-sonycom:av.", - "ViewTypeMusicGenres": "G\u00eaneros", - "LabelMatchType": "Tipo de correspond\u00eancia", - "ViewTypeTvNextUp": "Pr\u00f3ximos", + "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 Emby rastreia seus arquivos de v\u00eddeo pode procurar por legendas ausentes e baix\u00e1-las usando um provedor de legendas como 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 e diminuir\u00e1 a necessidade de transcodifica\u00e7\u00e3o do v\u00eddeo.", + "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 Emby rastreia seus arquivos de v\u00eddeo pode fazer o download de nomes amig\u00e1veis para cap\u00edtulos usando plugins de cap\u00edtulos 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "Mais", + "MessageNoSubtitleSearchResultsFound": "N\u00e3o foi encontrado nenhum resultado.", + "TabDisplay": "Exibi\u00e7\u00e3o", + "TabLanguages": "Idiomas", + "TabAppSettings": "Configura\u00e7\u00f5es da App", + "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", + "HeaderOptions": "Op\u00e7\u00f5es", + "HeaderIdentificationResult": "Resultado da Identifica\u00e7\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:", + "OptionMyMediaButtons": "Minha m\u00eddia (bot\u00f5es)", + "OptionMyMedia": "Minha m\u00eddia", + "OptionMyMediaSmall": "Minha m\u00eddia (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", + "HeaderSettings": "Ajustes", + "MessageLoadingChannels": "Carregando conte\u00fado do canal...", + "MessageLoadingContent": "Carregando conte\u00fado...", + "ButtonMarkRead": "Marcar com lido", + "OptionDefaultSort": "Padr\u00e3o", + "OptionCommunityMostWatchedSort": "Mais Assistidos", + "TabNextUp": "Pr\u00f3ximos", + "PlaceholderUsername": "Nome do usu\u00e1rio", + "HeaderBecomeProjectSupporter": "Torne-se um Colaborador do Emby", + "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 aproveite grupos personalizados de Filmes, S\u00e9ries, \u00c1lbuns, Livros e Jogos. Clique no bot\u00e3o + para come\u00e7ar a criar 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.", + "ButtonDismiss": "Descartar", + "ButtonEditOtherUserPreferences": "Editar este perfil de usu\u00e1rio, imagem 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.", + "ButtonOptions": "Op\u00e7\u00f5es", + "ViewTypePlaylists": "Listas de Reprodu\u00e7\u00e3o", + "ViewTypeMovies": "Filmes", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Jogos", + "ViewTypeMusic": "M\u00fasicas", + "ViewTypeMusicGenres": "G\u00eaneros", "ViewTypeMusicArtists": "Artistas", - "OptionEquals": "Igual", + "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", - "HeaderChapterDownloadingHelp": "Quando o Emby rastreia seus arquivos de v\u00eddeo pode fazer o download de nomes amig\u00e1veis para cap\u00edtulos usando plugins de cap\u00edtulos como o ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "S\u00e9ries", "ViewTypeTvGenres": "G\u00eaneros", - "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:", + "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", + "ViewTypeMusicPlaylists": "Listas de Reprodu\u00e7\u00e3o", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby inclui suporte nativo para arquivos de metadados Nfo. Para ativar ou desativar metadados Nfo, use a aba Avan\u00e7ado para configurar as op\u00e7\u00f5es para seus tipos de m\u00eddia.", + "LabelKodiMetadataUser": "Sincronizar informa\u00e7\u00f5es do que o usu\u00e1rio assiste aos nfo's para:", + "LabelKodiMetadataUserHelp": "Ative esta op\u00e7\u00e3o para manter os dados sincronizados entre o Servidor Emby e os arquivos Nfo.", + "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", + "LabelDisplayCollectionsViewHelp": "Esta op\u00e7\u00e3o criar\u00e1 uma visualiza\u00e7\u00e3o separada para exibir cole\u00e7\u00f5es criadas ou acessadas por voc\u00ea. Para criar uma cole\u00e7\u00e3o, clique com o bot\u00e3o direito ou toque e segure qualquer filme e selecione 'Adicionar \u00e0 Cole\u00e7\u00e3o'.", + "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", - "LabelTranscodingAudioCodec": "Codec do \u00c1udio:", - "ViewTypeMovieResume": "Retomar", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Ativar modo M2ts", - "ViewTypeMovieLatest": "Recentes", "HeaderServerLogFiles": "Arquivos de log do servidor:", - "OptionEnableM2tsModeHelp": "Ative o modo m2ts quando codificar para mpegts.", - "ViewTypeMovieMovies": "Filmes", "TabBranding": "Marca", - "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado quando transcodificar", - "HeaderPassword": "Senha", - "ViewTypeMovieCollections": "Cole\u00e7\u00f5es", "HeaderBrandingHelp": "Personalize a apar\u00eancia do Emby para satisfazer as necessidades de seu grupo ou organiza\u00e7\u00e3o.", - "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que o servidor suporta busca de byte quando transcodificar", - "HeaderLocalAccess": "Acesso Local", - "ViewTypeMovieFavorites": "Favoritos", "LabelLoginDisclaimer": "Aviso legal no login:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Isto \u00e9 necess\u00e1rio para alguns dispositivos que n\u00e3o buscam o tempo muito bem.", - "ViewTypeMovieGenres": "G\u00eaneros", "LabelLoginDisclaimerHelp": "Este aviso ser\u00e1 exibido na parte inferior da p\u00e1gina de login.", - "ViewTypeMusicLatest": "Recentes", "LabelAutomaticallyDonate": "Doar automaticamente este valor a cada m\u00eas", - "ViewTypeMusicAlbums": "\u00c1lbuns", "LabelAutomaticallyDonateHelp": "Voc\u00ea pode cancelar a qualquer momento atrav\u00e9s de sua conta do PayPal.", - "TabHosting": "Hospedagem", - "ViewTypeMusicAlbumArtists": "Artistas do \u00c1lbum", - "LabelDownMixAudioScale": "Aumento do \u00e1udio ao executar downmix:", - "ButtonSync": "Sincronizar", - "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o, independente do idioma", - "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio quando executar downmix. Defina como 1 para preservar o volume original.", - "LabelHomePageSection4": "Tela de in\u00edcio se\u00e7\u00e3o 4:", - "HeaderChapters": "Cap\u00edtulos", - "LabelSubtitlePlaybackMode": "Modo da Legenda:", - "HeaderDownloadPeopleMetadataForHelp": "Ativar op\u00e7\u00f5es adicionais disponibilizar\u00e1 mais informa\u00e7\u00f5es na tela mas deixar\u00e1 os rastreamentos de biblioteca mais lentos.", - "ButtonLinkKeys": "Transferir Chave", - "OptionLatestChannelMedia": "Itens recentes de canal", - "HeaderResumeSettings": "Ajustes para Retomar", - "ViewTypeFolders": "Pastas", - "LabelOldSupporterKey": "Chave antiga de colaborador", - "HeaderLatestChannelItems": "Itens Recentes de Canal", - "LabelDisplayFoldersView": "Exibir visualiza\u00e7\u00e3o de pastas para mostrar pastas simples de m\u00eddia", - "LabelNewSupporterKey": "Chave nova de colaborador", - "TitleRemoteControl": "Controle Remoto", - "ViewTypeLiveTvRecordingGroups": "Grava\u00e7\u00f5es", - "HeaderMultipleKeyLinking": "Transferir para Nova Chave", - "ViewTypeLiveTvChannels": "Canais", - "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", - "TabControls": "Controles", - "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 come\u00e7ar a desfrutar dos benef\u00edcios adicionais desenvolvidos pela comunidade do Emby.", - "MessageInvalidKey": "Chave do colaborador ausente ou inv\u00e1lida.", - "ErrorMessageInvalidKey": "Para que conte\u00fado premium seja registrado, voc\u00ea precisa ser um colaborador do Emby. Por favor, doe e colabore com o desenvolvimento cont\u00ednuo do produto. Obrigado.", - "HeaderEpisodes": "Epis\u00f3dios", - "UserDownloadingItemWithValues": "{0} est\u00e1 fazendo download de {1}", - "OptionMyMediaButtons": "Minha m\u00eddia (bot\u00f5es)", - "HeaderHomePage": "P\u00e1gina Inicial", - "HeaderSettingsForThisDevice": "Ajustes para Este Dispositivo", - "OptionMyMedia": "Minha m\u00eddia", - "OptionAllUsers": "Todos os usu\u00e1rios", - "ButtonDismiss": "Descartar", - "OptionAdminUsers": "Administradores", - "OptionDisplayAdultContent": "Exibir conte\u00fado adulto", - "HeaderSearchForSubtitles": "Buscar Legendas", - "OptionCustomUsers": "Personalizado", - "ButtonMore": "Mais", - "MessageNoSubtitleSearchResultsFound": "N\u00e3o foi encontrado nenhum resultado.", + "OptionList": "Lista", + "TabDashboard": "Painel", + "TitleServer": "Servidor", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadados:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Arquivos tempor\u00e1rios da transcodifica\u00e7\u00e3o:", "HeaderLatestMusic": "M\u00fasicas Recentes", - "OptionMyMediaSmall": "Minha m\u00eddia (pequeno)", - "TabDisplay": "Exibi\u00e7\u00e3o", "HeaderBranding": "Marca", - "TabLanguages": "Idiomas", "HeaderApiKeys": "Chaves da Api", - "LabelGroupChannelsIntoViews": "Exibir os seguintes canais diretamente dentro de minhas visualiza\u00e7\u00f5es:", "HeaderApiKeysHelp": "As aplica\u00e7\u00f5es externas precisam ter um chave de Api para se comunicar com o Servidor Emby. As chaves s\u00e3o emitidas ao entrar com uma conta Emby ou concedendo manualmente a chave \u00e0 aplica\u00e7\u00e3o.", - "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.", - "LabelEnableThemeSongs": "Ativar m\u00fasicas-tema", "HeaderApiKey": "Chave da Api", - "HeaderSubtitleDownloadingHelp": "Quando o Emby rastreia seus arquivos de v\u00eddeo pode procurar por legendas ausentes e baix\u00e1-las usando um provedor de legendas como o OpenSubtitles.org", - "LabelEnableBackdrops": "Ativar imagens de fundo", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Fazer download de legendas para:", - "LabelEnableThemeSongsHelp": "Se ativadas, m\u00fasicas-tema ser\u00e3o reproduzidas em segundo plano ao navegar pela biblioteca.", "HeaderDevice": "Dispositivo", - "LabelEnableBackdropsHelp": "Se ativadas, imagens de fundo ser\u00e3o exibidas ao fundo de algumas p\u00e1ginas ao navegar pela biblioteca.", "HeaderUser": "Usu\u00e1rio", "HeaderDateIssued": "Data da Emiss\u00e3o", - "TabSubtitles": "Legendas", - "LabelOpenSubtitlesUsername": "Nome do usu\u00e1rio do Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:", - "OptionYes": "Sim", - "OptionNo": "N\u00e3o", - "LabelDownloadLanguages": "Idiomas para download:", - "LabelHomePageSection1": "Tela de in\u00edcio se\u00e7\u00e3o 1:", - "ButtonRegister": "Registrar", - "LabelHomePageSection2": "Tela de in\u00edcio se\u00e7\u00e3o 2:", - "LabelHomePageSection3": "Tela de in\u00edcio se\u00e7\u00e3o 3:", - "OptionResumablemedia": "Retomar", - "ViewTypeTvShowSeries": "S\u00e9ries", - "OptionLatestMedia": "M\u00eddias recentes", - "ViewTypeTvFavoriteSeries": "S\u00e9ries Favoritas", - "ViewTypeTvFavoriteEpisodes": "Epis\u00f3dios Favoritos", - "LabelEpisodeNamePlain": "Nome do epis\u00f3dio", - "LabelSeriesNamePlain": "Nome da s\u00e9rie", - "LabelSeasonNumberPlain": "N\u00famero da temporada", - "LabelEpisodeNumberPlain": "N\u00famero do epis\u00f3dio", - "OptionLibraryFolders": "Pastas de m\u00eddias", - "LabelEndingEpisodeNumberPlain": "N\u00famero do epis\u00f3dio final", + "LabelChapterName": "Cap\u00edtulo {0}", + "HeaderNewApiKey": "Nova Chave da Api", + "LabelAppName": "Nome da app", + "LabelAppNameExample": "Exemplo: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Conceda permiss\u00e3o \u00e0 aplica\u00e7\u00e3o de se comunicar com o Servidor Emby.", + "HeaderHttpHeaders": "Cabe\u00e7alhos de Http", + "HeaderIdentificationHeader": "Cabe\u00e7alho de Identifica\u00e7\u00e3o", + "LabelValue": "Valor:", + "LabelMatchType": "Tipo de correspond\u00eancia", + "OptionEquals": "Igual", + "OptionRegex": "Regex", + "OptionSubstring": "Substring", + "TabView": "Visualizar", + "TabSort": "Ordenar", + "TabFilter": "Filtro", + "ButtonView": "Visualizar", + "LabelPageSize": "Limite de itens:", + "LabelPath": "Caminho:", + "LabelView": "Visualizar:", + "TabUsers": "Usu\u00e1rios", + "LabelSortName": "Nome para ordena\u00e7\u00e3o:", + "LabelDateAdded": "Data de adi\u00e7\u00e3o:", + "HeaderFeatures": "Recursos", + "HeaderAdvanced": "Avan\u00e7ado", + "ButtonSync": "Sincronizar", + "TabScheduledTasks": "Tarefas Agendadas", + "HeaderChapters": "Cap\u00edtulos", + "HeaderResumeSettings": "Ajustes para Retomar", + "TabSync": "Sincroniza\u00e7\u00e3o", + "TitleUsers": "Usu\u00e1rios", + "LabelProtocol": "Protocolo:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http Live Streaming", + "LabelContext": "Contexto:", + "OptionContextStreaming": "Streaming", + "OptionContextStatic": "Sinc", + "ButtonAddToPlaylist": "Adicionar \u00e0 lista de reprodu\u00e7\u00e3o", + "TabPlaylists": "Listas de Reprodu\u00e7\u00e3o", + "ButtonClose": "Fechar", "LabelAllLanguages": "Todos os idiomas", "HeaderBrowseOnlineImages": "Procurar Imagens Online", "LabelSource": "Fonte:", @@ -939,509 +1067,388 @@ "LabelImage": "Imagem:", "ButtonBrowseImages": "Procurar Imagens", "HeaderImages": "Imagens", - "LabelReleaseDate": "Data do lan\u00e7amento:", "HeaderBackdrops": "Imagens de Fundo", - "HeaderOptions": "Op\u00e7\u00f5es", - "LabelWeatherDisplayLocation": "Local da exibi\u00e7\u00e3o do tempo:", - "TabUsers": "Usu\u00e1rios", - "LabelMaxChromecastBitrate": "Taxa de bits m\u00e1xima do Chromecast:", - "LabelEndDate": "Data final:", "HeaderScreenshots": "Imagens da Tela", - "HeaderIdentificationResult": "Resultado da Identifica\u00e7\u00e3o", - "LabelWeatherDisplayLocationHelp": "CEP dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds", - "LabelYear": "Ano:", "HeaderAddUpdateImage": "Adicionar\/Atualizar Imagem", - "LabelWeatherDisplayUnit": "Unidade de exibi\u00e7\u00e3o do Tempo:", "LabelJpgPngOnly": "Apenas JPG\/PNG", - "OptionCelsius": "Celsius", - "TabAppSettings": "Configura\u00e7\u00f5es da App", "LabelImageType": "Tipo de imagem:", - "HeaderActivity": "Atividade", - "LabelChannelDownloadSizeLimit": "Limite do tamanho para download (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Capa", - "ScheduledTaskStartedWithName": "{0} iniciado", - "MessageLoadingContent": "Carregando conte\u00fado...", - "HeaderRequireManualLogin": "Necessita a digita\u00e7\u00e3o manual de um nome para:", "OptionArt": "Arte", - "ScheduledTaskCancelledWithName": "{0} foi cancelado", - "NotificationOptionUserLockedOut": "Usu\u00e1rio bloqueado", - "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de usu\u00e1rios.", "OptionBox": "Caixa", - "ScheduledTaskCompletedWithName": "{0} conclu\u00edda", - "OptionOtherApps": "Outras apps", - "TabScheduledTasks": "Tarefas Agendadas", "OptionBoxRear": "Traseira da Caixa", - "ScheduledTaskFailed": "Tarefa agendada conclu\u00edda", - "OptionMobileApps": "Apps m\u00f3veis", "OptionDisc": "Disco", - "PluginInstalledWithName": "{0} foi instalado", "OptionIcon": "\u00cdcone", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} foi atualizado", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} foi desinstalado", "OptionScreenshot": "Imagem da tela", - "ButtonScenes": "Cenas", - "ScheduledTaskFailedWithName": "{0} falhou", - "UserLockedOutWithName": "Usu\u00e1rio {0} foi bloqueado", "OptionLocked": "Bloqueada", - "ButtonSubtitles": "Legendas", - "ItemAddedWithName": "{0} foi adicionado \u00e0 biblioteca", "OptionUnidentified": "N\u00e3o identificada", - "ItemRemovedWithName": "{0} foi removido da biblioteca", "OptionMissingParentalRating": "Faltando classifica\u00e7\u00e3o parental", - "HeaderCollections": "Cole\u00e7\u00f5es", - "DeviceOnlineWithName": "{0} est\u00e1 conectado", "OptionStub": "Stub", - "UserOnlineFromDevice": "{0} est\u00e1 ativo em {1}", - "ButtonStop": "Parar", - "DeviceOfflineWithName": "{0} foi desconectado", - "OptionList": "Lista", + "HeaderEpisodes": "Epis\u00f3dios", "OptionSeason0": "Temporada 0", - "ButtonPause": "Pausar", - "UserOfflineFromDevice": "{0} foi desconectado de {1}", - "TabDashboard": "Painel", "LabelReport": "Relat\u00f3rio:", - "SubtitlesDownloadedForItem": "Legendas baixadas para {0}", - "TitleServer": "Servidor", "OptionReportSongs": "M\u00fasicas", - "SubtitleDownloadFailureForItem": "Falha ao baixar legendas para {0}", - "LabelCache": "Cache:", "OptionReportSeries": "S\u00e9ries", - "LabelRunningTimeValue": "Dura\u00e7\u00e3o: {0}", - "LabelLogs": "Logs:", "OptionReportSeasons": "Temporadas", - "LabelIpAddressValue": "Endere\u00e7o Ip: {0}", - "LabelMetadata": "Metadados:", "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Listas de Reprodu\u00e7\u00e3o", - "UserConfigurationUpdatedWithName": "A configura\u00e7\u00e3o do usu\u00e1rio {0} foi atualizada", - "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)", - "LabelImagesByName": "Images by name:", "OptionReportMusicVideos": "V\u00eddeos musicais", + "OptionReportMovies": "Filmes", + "OptionReportHomeVideos": "V\u00eddeos caseiros", + "OptionReportGames": "Jogos", + "OptionReportEpisodes": "Epis\u00f3dios", + "OptionReportCollections": "Cole\u00e7\u00f5es", + "OptionReportBooks": "Livros", + "OptionReportArtists": "Artistas", + "OptionReportAlbums": "\u00c1lbuns", + "OptionReportAdultVideos": "V\u00eddeos adultos", + "HeaderActivity": "Atividade", + "ScheduledTaskStartedWithName": "{0} iniciado", + "ScheduledTaskCancelledWithName": "{0} foi cancelado", + "ScheduledTaskCompletedWithName": "{0} conclu\u00edda", + "ScheduledTaskFailed": "Tarefa agendada conclu\u00edda", + "PluginInstalledWithName": "{0} foi instalado", + "PluginUpdatedWithName": "{0} foi atualizado", + "PluginUninstalledWithName": "{0} foi desinstalado", + "ScheduledTaskFailedWithName": "{0} falhou", + "ItemAddedWithName": "{0} foi adicionado \u00e0 biblioteca", + "ItemRemovedWithName": "{0} foi removido da biblioteca", + "DeviceOnlineWithName": "{0} est\u00e1 conectado", + "UserOnlineFromDevice": "{0} est\u00e1 ativo em {1}", + "DeviceOfflineWithName": "{0} foi desconectado", + "UserOfflineFromDevice": "{0} foi desconectado de {1}", + "SubtitlesDownloadedForItem": "Legendas baixadas para {0}", + "SubtitleDownloadFailureForItem": "Falha ao baixar legendas para {0}", + "LabelRunningTimeValue": "Dura\u00e7\u00e3o: {0}", + "LabelIpAddressValue": "Endere\u00e7o Ip: {0}", + "UserLockedOutWithName": "Usu\u00e1rio {0} foi bloqueado", + "UserConfigurationUpdatedWithName": "A configura\u00e7\u00e3o do usu\u00e1rio {0} foi atualizada", "UserCreatedWithName": "O usu\u00e1rio {0} foi criado", - "HeaderSendMessage": "Enviar mensagem", - "LabelTranscodingTemporaryFiles": "Arquivos tempor\u00e1rios da transcodifica\u00e7\u00e3o:", - "OptionReportMovies": "Filmes", "UserPasswordChangedWithName": "A senha do usu\u00e1rio {0} foi alterada", - "ButtonSend": "Enviar", - "OptionReportHomeVideos": "V\u00eddeos caseiros", "UserDeletedWithName": "O usu\u00e1rio {0} foi exclu\u00eddo", - "LabelMessageText": "Texto da mensagem:", - "OptionReportGames": "Jogos", "MessageServerConfigurationUpdated": "A configura\u00e7\u00e3o do servidor foi atualizada", - "HeaderKodiMetadataHelp": "Emby inclui suporte nativo para arquivos de metadados Nfo. Para ativar ou desativar metadados Nfo, use a aba Avan\u00e7ado para configurar as op\u00e7\u00f5es para seus tipos de m\u00eddia.", - "OptionReportEpisodes": "Epis\u00f3dios", - "ButtonPreviousTrack": "Faixa anterior", "MessageNamedServerConfigurationUpdatedWithValue": "A se\u00e7\u00e3o {0} da configura\u00e7\u00e3o do servidor foi atualizada", - "LabelKodiMetadataUser": "Sincronizar informa\u00e7\u00f5es do que o usu\u00e1rio assiste aos nfo's para:", - "OptionReportCollections": "Cole\u00e7\u00f5es", - "ButtonNextTrack": "Faixa seguinte", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "O Servidor Emby foi atualizado", - "LabelKodiMetadataUserHelp": "Ative esta op\u00e7\u00e3o para manter os dados sincronizados entre o Servidor Emby e os arquivos Nfo.", - "OptionReportBooks": "Livros", - "HeaderServerSettings": "Ajustes do Servidor", "AuthenticationSucceededWithUserName": "{0} autenticou-se com sucesso", - "LabelKodiMetadataDateFormat": "Formato da data de lan\u00e7amento:", - "OptionReportArtists": "Artistas", "FailedLoginAttemptWithUserName": "Falha em tentativa de login de {0}", - "LabelKodiMetadataDateFormatHelp": "Todas as datas dentro dos nfo's ser\u00e3o lidas e gravadas usando este formato.", - "ButtonAddToPlaylist": "Adicionar \u00e0 lista de reprodu\u00e7\u00e3o", - "OptionReportAlbums": "\u00c1lbuns", + "UserDownloadingItemWithValues": "{0} est\u00e1 fazendo download de {1}", "UserStartedPlayingItemWithValues": "{0} come\u00e7ou a reproduzir {1}", - "LabelKodiMetadataSaveImagePaths": "Salvar o caminho das imagens dentro dos arquivos nfo's", - "LabelDisplayCollectionsView": "Exibir uma visualiza\u00e7\u00e3o de cole\u00e7\u00f5es para mostrar colet\u00e2neas de filmes", - "AdditionalNotificationServices": "Explore o cat\u00e1logo do plugin para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.", - "OptionReportAdultVideos": "V\u00eddeos adultos", "UserStoppedPlayingItemWithValues": "{0} parou de reproduzir {1}", - "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.", "AppDeviceValues": "App: {0}, Dispositivo: {1}", - "LabelMaxStreamingBitrate": "Taxa m\u00e1xima para streaming:", - "LabelKodiMetadataEnablePathSubstitution": "Ativar substitui\u00e7\u00e3o de caminho", - "LabelProtocolInfo": "Informa\u00e7\u00e3o do protocolo:", "ProviderValue": "Provedor: {0}", + "LabelChannelDownloadSizeLimit": "Limite do tamanho para download (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Limitar o tamanho da pasta de download do canal.", + "HeaderRecentActivity": "Atividade Recente", + "HeaderPeople": "Pessoas", + "HeaderDownloadPeopleMetadataFor": "Fazer download da biografia e imagens para:", + "OptionComposers": "Compositores", + "OptionOthers": "Outros", + "HeaderDownloadPeopleMetadataForHelp": "Ativar op\u00e7\u00f5es adicionais disponibilizar\u00e1 mais informa\u00e7\u00f5es na tela mas deixar\u00e1 os rastreamentos de biblioteca mais lentos.", + "ViewTypeFolders": "Pastas", + "LabelDisplayFoldersView": "Exibir visualiza\u00e7\u00e3o de pastas para mostrar pastas simples de m\u00eddia", + "ViewTypeLiveTvRecordingGroups": "Grava\u00e7\u00f5es", + "ViewTypeLiveTvChannels": "Canais", "LabelEasyPinCode": "C\u00f3digo de pin f\u00e1cil:", - "LabelMaxStreamingBitrateHelp": "Defina uma taxa m\u00e1xima para fazer streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Ativa a substitui\u00e7\u00e3o do caminho das imagens usando as op\u00e7\u00f5es de substitui\u00e7\u00e3o de caminho no servidor.", - "LabelProtocolInfoHelp": "O valor que ser\u00e1 usado ao responder os pedidos GetProtocolInfo do dispositivo.", - "LabelMaxStaticBitrate": "Taxa m\u00e1xima para sincronizar:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver substitui\u00e7\u00e3o de caminho.", - "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.", "EasyPasswordHelp": "Seu c\u00f3digo pin f\u00e1cil \u00e9 usado para acesso off-line com apps suportadas pelo Emby e pode ser usado para acesso f\u00e1cil dentro da rede.", - "LabelMaxStaticBitrateHelp": "Defina uma taxa m\u00e1xima quando sincronizar conte\u00fado em alta qualidade.", - "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart para extrathumbs", - "MessageNoPlaylistItemsAvailable": "Esta lista de reprodu\u00e7\u00e3o est\u00e1 vazia.", - "TabSync": "Sincroniza\u00e7\u00e3o", - "LabelProtocol": "Protocolo:", - "LabelKodiMetadataEnableExtraThumbsHelp": "Ao fazer download das imagens, elas podem ser salvas em ambas extrafanart e extrathumbs para uma maior compatibilidade com as skins do Kodi.", - "TabPlaylists": "Listas de Reprodu\u00e7\u00e3o", - "LabelPersonRole": "Personagem:", "LabelInNetworkSignInWithEasyPassword": "Ativar acesso dentro da rede com meu c\u00f3digo de pin f\u00e1cil", - "TitleUsers": "Usu\u00e1rios", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "O personagem geralmente s\u00f3 aplica para atores.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Caminho:", - "HeaderIdentification": "Identifica\u00e7\u00e3o", "LabelInNetworkSignInWithEasyPasswordHelp": "Se ativado, voc\u00ea poder\u00e1 usar um c\u00f3digo pin f\u00e1cil para entrar nas apps do Emby dentro de sua rede. Sua senha normal s\u00f3 ser\u00e1 necess\u00e1ria fora de sua casa. Se o c\u00f3digo pin for deixado em branco, n\u00e3o ser\u00e1 necess\u00e1ria uma senha dentro de sua rede dom\u00e9stica.", - "LabelContext": "Contexto:", - "LabelSortName": "Nome para ordena\u00e7\u00e3o:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Data de adi\u00e7\u00e3o:", + "HeaderPassword": "Senha", + "HeaderLocalAccess": "Acesso Local", + "HeaderViewOrder": "Ordem da Visualiza\u00e7\u00e3o", "ButtonResetEasyPassword": "Redefinir c\u00f3digo de pin f\u00e1cil", - "OptionContextStatic": "Sinc", + "LabelSelectUserViewOrder": "Escolha a ordem que suas visualiza\u00e7\u00f5es ser\u00e3o exibidas dentro das apps do Emby", "LabelMetadataRefreshMode": "Modo de atualiza\u00e7\u00e3o dos metadados:", - "ViewTypeChannels": "Canais", "LabelImageRefreshMode": "Modo de atualiza\u00e7\u00e3o das imagens:", - "ViewTypeLiveTV": "TV ao Vivo", - "HeaderSendNotificationHelp": "Por padr\u00e3o, as notifica\u00e7\u00f5es s\u00e3o mostradas na caixa de entrada do painel. Explore o cat\u00e1logo dos plugins para instalar op\u00e7\u00f5es de notifica\u00e7\u00e3o adicionais.", "OptionDownloadMissingImages": "Fazer download das imagens faltantes", "OptionReplaceExistingImages": "Substituir imagens existentes", "OptionRefreshAllData": "Atualizar todos os dados", "OptionAddMissingDataOnly": "Adicionar apenas dados faltantes", "OptionLocalRefreshOnly": "Atualiza\u00e7\u00e3o local apenas", - "LabelGroupMoviesIntoCollections": "Agrupar filmes nas cole\u00e7\u00f5es", "HeaderRefreshMetadata": "Atualizar Metadados", - "LabelGroupMoviesIntoCollectionsHelp": "Ao exibir listas de filmes, filmes que perten\u00e7am a uma cole\u00e7\u00e3o ser\u00e3o exibidos como um \u00fanico item agrupado.", "HeaderPersonInfo": "Informa\u00e7\u00e3o da Pessoa", "HeaderIdentifyItem": "Identificar Item", "HeaderIdentifyItemHelp": "Digite um ou mais crit\u00e9rios de busca. Exclua o crit\u00e9rio para aumentar os resultados da busca.", - "HeaderLatestMedia": "M\u00eddias Recentes", + "HeaderConfirmDeletion": "Confirmar Exclus\u00e3o", "LabelFollowingFileWillBeDeleted": "O seguinte arquivo ser\u00e1 exclu\u00eddo:", "LabelIfYouWishToContinueWithDeletion": "Se desejar continuar, por favor confirme digitando o valor de:", - "OptionSpecialFeatures": "Recursos Especiais", "ButtonIdentify": "Identificar", "LabelAlbumArtist": "Artista do \u00e1lbum:", + "LabelAlbumArtists": "Artistas do \u00c1lbum:", "LabelAlbum": "\u00c1lbum:", "LabelCommunityRating": "Avalia\u00e7\u00e3o da comunidade:", "LabelVoteCount": "Contagem de votos:", - "ButtonSearch": "Busca", "LabelMetascore": "Metascore:", "LabelCriticRating": "Avalia\u00e7\u00e3o da cr\u00edtica:", "LabelCriticRatingSummary": "Resumo da avalia\u00e7\u00e3o da cr\u00edtica:", "LabelAwardSummary": "Resumo da premia\u00e7\u00e3o:", - "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Padr\u00e3o do arquivo de epis\u00f3dio", "LabelTagline": "Slogan:", - "LabelEpisodePattern": "Padr\u00e3o do epis\u00f3dio:", "LabelOverview": "Sinopse:", - "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:", "LabelShortOverview": "Sinopse curta:", - "HeaderSupportedPatterns": "Padr\u00f5es Suportados", - "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.", - "LabelMusicStaticBitrate": "Taxa de sincroniza\u00e7\u00e3o das m\u00fasicas:", + "LabelReleaseDate": "Data do lan\u00e7amento:", + "LabelYear": "Ano:", "LabelPlaceOfBirth": "Local de nascimento:", - "HeaderTerm": "Termo", - "MessageNoCollectionsAvailable": "Cole\u00e7\u00f5es permitem que voc\u00ea aproveite grupos personalizados de Filmes, S\u00e9ries, \u00c1lbuns, Livros e Jogos. Clique no bot\u00e3o + para come\u00e7ar a criar Cole\u00e7\u00f5es.", - "LabelMusicStaticBitrateHelp": "Defina a taxa m\u00e1xima ao sincronizar m\u00fasicas", + "LabelEndDate": "Data final:", "LabelAirDate": "Dias da exibi\u00e7\u00e3o:", - "HeaderPattern": "Padr\u00e3o", - "LabelMusicStreamingTranscodingBitrate": "Taxa de transcodifica\u00e7\u00e3o das m\u00fasicas:", "LabelAirTime:": "Hor\u00e1rio:", - "HeaderNotificationList": "Clique em uma notifica\u00e7\u00e3o para configurar suas op\u00e7\u00f5es de envio.", - "HeaderResult": "Resultado", - "LabelMusicStreamingTranscodingBitrateHelp": "Defina a taxa m\u00e1xima ao fazer streaming das m\u00fasicas", "LabelRuntimeMinutes": "Dura\u00e7\u00e3o (minutos):", - "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o", - "LabelDeleteEmptyFolders": "Excluir pastas vazias depois da organiza\u00e7\u00e3o", - "HeaderRecentActivity": "Atividade Recente", "LabelParentalRating": "Classifica\u00e7\u00e3o parental:", - "LabelDeleteEmptyFoldersHelp": "Ativar esta op\u00e7\u00e3o para manter o diret\u00f3rio de download limpo.", - "ButtonOsd": "Exibi\u00e7\u00e3o na tela", - "HeaderPeople": "Pessoas", "LabelCustomRating": "Classifica\u00e7\u00e3o personalizada:", - "LabelDeleteLeftOverFiles": "Excluir os arquivos deixados com as seguintes extens\u00f5es:", - "MessageNoAvailablePlugins": "N\u00e3o existem plugins dispon\u00edveis.", - "HeaderDownloadPeopleMetadataFor": "Fazer download da biografia e imagens para:", "LabelBudget": "Or\u00e7amento", - "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada", - "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt", - "LabelDisplayPluginsFor": "Exibir plugins para:", - "OptionComposers": "Compositores", "LabelRevenue": "Faturamento ($):", - "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada", - "OptionOverwriteExistingEpisodes": "Sobrescrever epis\u00f3dios existentes", - "OptionOthers": "Outros", "LabelOriginalAspectRatio": "Propor\u00e7\u00e3o da imagem original:", - "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada", - "LabelTransferMethod": "M\u00e9todo de transfer\u00eancia", "LabelPlayers": "Reprodutores:", - "OptionCopy": "Copiar", "Label3DFormat": "Formato 3D:", - "NotificationOptionNewLibraryContent": "Novo conte\u00fado adicionado", - "OptionMove": "Mover", "HeaderAlternateEpisodeNumbers": "N\u00fameros de Epis\u00f3dios Alternativos", - "NotificationOptionServerRestartRequired": "Necessidade de reiniciar servidor", - "LabelTransferMethodHelp": "Copiar ou mover arquivos da pasta de monitora\u00e7\u00e3o", "HeaderSpecialEpisodeInfo": "Informa\u00e7\u00e3o do Epis\u00f3dio Especial", - "LabelMonitorUsers": "Monitorar atividade de:", - "HeaderLatestNews": "Not\u00edcias Recentes", - "ValueSeriesNamePeriod": "Nome.s\u00e9rie", "HeaderExternalIds": "Id`s Externos:", - "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:", - "ValueSeriesNameUnderscore": "Nome_s\u00e9rie", - "TitleChannels": "Canais", - "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o", - "HeaderConfirmDeletion": "Confirmar Exclus\u00e3o", - "ValueEpisodeNamePeriod": "Nome.epis\u00f3dio", - "LabelChannelStreamQuality": "Qualidade preferida do stream de internet:", - "HeaderActiveDevices": "Dispositivos Ativos", - "ValueEpisodeNameUnderscore": "Nome_epis\u00f3dio", - "LabelChannelStreamQualityHelp": "Em um ambiente com banda larga de pouca velocidade, limitar a qualidade pode ajudar a assegurar um streaming mais flu\u00eddo.", - "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes", - "HeaderTypeText": "Digitar texto", - "OptionBestAvailableStreamQuality": "Melhor dispon\u00edvel", - "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:", - "LabelTypeText": "Texto", - "ButtonEditOtherUserPreferences": "Editar este perfil de usu\u00e1rio, imagem e prefer\u00eancias pessoais.", - "LabelEnableChannelContentDownloadingFor": "Ativar o download de conte\u00fado do canal para:", - "NotificationOptionApplicationUpdateAvailable": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o disponivel", + "LabelDvdSeasonNumber": "N\u00famero da temporada do Dvd:", + "LabelDvdEpisodeNumber": "N\u00famero do epis\u00f3dio do Dvd:", + "LabelAbsoluteEpisodeNumber": "N\u00famero absoluto do epis\u00f3dio:", + "LabelAirsBeforeSeason": "Exibido antes da temporada:", + "LabelAirsAfterSeason": "Exibido depois da temporada:", "LabelAirsBeforeEpisode": "Exibido antes do epis\u00f3dio:", "LabelTreatImageAs": "Tratar imagem como:", - "ButtonReset": "Redefinir", "LabelDisplayOrder": "Ordem de exibi\u00e7\u00e3o:", "LabelDisplaySpecialsWithinSeasons": "Exibir especiais dentro das temporadas em que s\u00e3o exibidos", - "HeaderAddTag": "Adicionar Tag", - "LabelNativeExternalPlayersHelp": "Exibir bot\u00f5es para reproduzir o conte\u00fado em reprodutores externos.", "HeaderCountries": "Pa\u00edses", "HeaderGenres": "G\u00eaneros", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Palavras-chave da Trama", - "LabelEnableItemPreviews": "Ativar pr\u00e9-visualiza\u00e7\u00e3o de itens", "HeaderStudios": "Est\u00fadios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Ajustes dos Metadados", - "LabelEnableItemPreviewsHelp": "Se ativada, pr\u00e9-visualiza\u00e7\u00f5es deslizantes ser\u00e3o exibidas ao clicar nos itens em certas telas.", "LabelLockItemToPreventChanges": "Bloquear este item para evitar altera\u00e7\u00f5es futuras", - "LabelExternalPlayers": "Reprodutores externos:", "MessageLeaveEmptyToInherit": "Deixar em branco para herdar os ajustes de um item superior, ou o valor padr\u00e3o global", - "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.", - "ButtonUnlockGuide": "Desbloquear Guia", - "HeaderDonationType": "Tipo de doa\u00e7\u00e3o:", - "OptionMakeOneTimeDonation": "Fazer uma doa\u00e7\u00e3o \u00fanica", - "OptionNoTrailer": "Nenhum Trailer", - "OptionNoThemeSong": "Nenhuma M\u00fasica-tema", - "OptionNoThemeVideo": "Nenhum V\u00eddeo-tema", - "LabelOneTimeDonationAmount": "Valor da doa\u00e7\u00e3o:", - "ButtonLearnMore": "Saiba mais", - "ButtonLearnMoreAboutEmbyConnect": "Saiba mais sobre o Emby Connect", - "LabelNewUserNameHelp": "Nomes de usu\u00e1rios podem conter letras (a-z), n\u00fameros (0-9), tra\u00e7os (-), sublinhados (_), ap\u00f3strofes (') e pontos (.)", - "OptionEnableExternalVideoPlayers": "Ativar reprodutores de v\u00eddeo externos", - "HeaderOptionalLinkEmbyAccount": "Opcional: Associe sua conta Emby", - "LabelEnableInternetMetadataForTvPrograms": "Fazer download dos metadados da internet para:", - "LabelCustomDeviceDisplayName": "Nome para exibi\u00e7\u00e3o:", - "OptionTVMovies": "Filmes da TV", - "LabelCustomDeviceDisplayNameHelp": "Forne\u00e7a um nome para exibi\u00e7\u00e3o ou deixe em branco para usar o nome informado pelo dispositivo.", - "HeaderInviteUser": "Convidar usu\u00e1rio", - "HeaderUpcomingMovies": "Filmes Por Estrear", - "HeaderInviteUserHelp": "Compartilhar sua m\u00eddia com amigos nunca foi t\u00e3o f\u00e1cil com o Emby Connect.", - "ButtonSendInvitation": "Enviar convite", - "HeaderGuests": "Convidados", - "HeaderUpcomingPrograms": "Programas Por Estrear", - "HeaderLocalUsers": "Usu\u00e1rios Locais", - "HeaderPendingInvitations": "Convites pendentes", - "LabelShowLibraryTileNames": "Mostrar os nomes dos mosaicos da biblioteca", - "LabelShowLibraryTileNamesHelp": "Determina se os t\u00edtulos ser\u00e3o exibidos embaixo dos mosaicos da biblioteca na p\u00e1gina in\u00edcio", - "TitleDevices": "Dispositivos", - "TabCameraUpload": "Upload da C\u00e2mera", - "HeaderCameraUploadHelp": "Faz o upload autom\u00e1tico de fotos e v\u00eddeos tiradas por seus dispositivos m\u00f3veis para o Emby.", - "TabPhotos": "Fotos", - "HeaderSchedule": "Agendamento", - "MessageNoDevicesSupportCameraUpload": "Atualmente voc\u00ea n\u00e3o tem nenhum dispositivo que suporte upload da c\u00e2mera.", - "OptionEveryday": "Todos os dias", - "LabelCameraUploadPath": "Caminho para upload da c\u00e2mera:", - "OptionWeekdays": "Dias da semana", - "LabelCameraUploadPathHelp": "Selecione um caminho personalizado para upload, se desejar. Se n\u00e3o definir, a pasta padr\u00e3o ser\u00e1 usada. Se usar um caminho personalizado, ser\u00e1 necess\u00e1rio adicionar na \u00e1rea de ajustes da biblioteca.", - "OptionWeekends": "Fins-de-semana", - "LabelCreateCameraUploadSubfolder": "Criar uma subpasta para cada dispositivo", - "MessageProfileInfoSynced": "A informa\u00e7\u00e3o do perfil do usu\u00e1rio foi sincronizada com o Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Pastas espec\u00edficas podem ser atribu\u00eddas a um dispositivo clicando-as na p\u00e1gina de Dispositivos.", - "TabVideos": "V\u00eddeos", - "ButtonTrailerReel": "Carrossel de trailers", - "HeaderTrailerReel": "Carrossel de Trailers", - "OptionPlayUnwatchedTrailersOnly": "Reproduzir apenas trailers n\u00e3o assistidos", - "HeaderTrailerReelHelp": "Inicie um carrossel de trailers para reproduzir uma longa lista de reprodu\u00e7\u00e3o de trailers.", - "TabDevices": "Dispositivos", - "MessageNoTrailersFound": "Nenhum trailer encontrado. Instale o canal Trailer para melhorar sua experi\u00eancia com filmes, adicionando uma biblioteca de trailers da internet.", - "HeaderWelcomeToEmby": "Bem vindo ao Emby", - "OptionAllowSyncContent": "Permitir Sincroniza\u00e7\u00e3o", - "LabelDateAddedBehavior": "Data de adi\u00e7\u00e3o de comportamento para o novo conte\u00fado:", - "HeaderLibraryAccess": "Acesso \u00e0 Biblioteca", - "OptionDateAddedImportTime": "Use a data obtida na biblioteca", - "EmbyIntroMessage": "Com o Emby voc\u00ea pode facilmente fazer streaming de v\u00eddeos, m\u00fasicas e fotos do Servidor Emby para smartphones, tablets e outros dispositivos.", - "HeaderChannelAccess": "Acesso ao Canal", - "LabelEnableSingleImageInDidlLimit": "Limitar a uma imagem incorporada", - "OptionDateAddedFileTime": "Use a data de cria\u00e7\u00e3o do arquivo", - "HeaderLatestItems": "Itens Recentes", - "LabelEnableSingleImageInDidlLimitHelp": "Alguns dispositivos n\u00e3o interpretar\u00e3o apropriadamente se m\u00faltiplas imagens estiverem incorporadas dentro do Didl.", - "LabelDateAddedBehaviorHelp": "Se um valor de metadata estiver presente, ele sempre ser\u00e1 utilizado antes destas op\u00e7\u00f5es.", - "LabelSelectLastestItemsFolders": "Incluir m\u00eddia das seguintes se\u00e7\u00f5es nos Itens Recentes", - "LabelNumberTrailerToPlay": "N\u00famero de trailers a serem apresentados:", - "ButtonSkip": "Ignorar", - "OptionAllowAudioPlaybackTranscoding": "Permitir reprodu\u00e7\u00e3o de \u00e1udio que necessite de transcodifica\u00e7\u00e3o", - "OptionAllowVideoPlaybackTranscoding": "Permitir reprodu\u00e7\u00e3o de v\u00eddeo que necessite de transcodifica\u00e7\u00e3o", - "NameSeasonUnknown": "Temporada Desconhecida", - "NameSeasonNumber": "Temporada {0}", - "TextConnectToServerManually": "Conectar ao servidor manualmente", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Perfil da Legenda", - "LabelRemoteClientBitrateLimit": "Limite de taxa de bits para o cliente remoto (Mbps):", - "HeaderSubtitleProfiles": "Perfis da Legenda", - "OptionDisableUserPreferences": "Desativar acesso \u00e0s prefer\u00eancias do usu\u00e1rio.", - "HeaderSubtitleProfilesHelp": "Perfis da legenda descrevem os formatos da legenda suportados pelo dispositivo.", - "OptionDisableUserPreferencesHelp": "Se ativado, apenas administradores poder\u00e3o configurar imagens do perfil do usu\u00e1rio, senhas e prefer\u00eancias de idioma.", - "LabelFormat": "Formato:", - "HeaderSelectServer": "Selecionar Servidor", - "ButtonConnect": "Conectar", - "LabelRemoteClientBitrateLimitHelp": "Um limite opcional da taxa de bits para todos os clientes remotos. Esta op\u00e7\u00e3o \u00e9 \u00fatil para evitar que os clientes demandem uma taxa de bits maior que a permitida pela sua conex\u00e3o.", - "LabelMethod": "M\u00e9todo:", - "MessageNoServersAvailableToConnect": "Nenhum servidor dispon\u00edvel para conex\u00e3o. Se foi convidado a compartilhar um servidor, confirme aceitando abaixo ou clicando no link em seu email.", - "LabelDidlMode": "Modo Didl:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "elemento res", - "HeaderSignInWithConnect": "Entrar no Emby Connect", - "OptionEmbedSubtitles": "Incorporar no recipiente", - "OptionExternallyDownloaded": "Download Externo", - "LabelServerHost": "Servidor:", - "CinemaModeConfigurationHelp2": "Os usu\u00e1rios poder\u00e3o desabilitar o modo cinema individualmente, em suas pr\u00f3prias prefer\u00eancias.", - "OptionOneTimeDescription": "Esta \u00e9 uma doa\u00e7\u00e3o adicional \u00e0 equipe para demonstrar seu apoio. N\u00e3o garante nenhum benef\u00edcio adicional e n\u00e3o produzir\u00e1 uma chave de colaborador.", - "OptionHlsSegmentedSubtitles": "Legendas segmentadas hls", - "LabelEnableCinemaMode": "Ativar modo cinema", - "LabelAirDays": "Dias da exibi\u00e7\u00e3o:", - "HeaderCinemaMode": "Modo Cinema", - "LabelAirTime": "Hor\u00e1rio:", - "HeaderMediaInfo": "Informa\u00e7\u00f5es da M\u00eddia", - "HeaderPhotoInfo": "Informa\u00e7\u00f5es da Foto", - "OptionAllowContentDownloading": "Permitir download de m\u00eddia", - "LabelServerHostHelp": "192.168.1.100 ou https:\/\/meuservidor.com", "TabDonate": "Doar", + "HeaderDonationType": "Tipo de doa\u00e7\u00e3o:", + "OptionMakeOneTimeDonation": "Fazer uma doa\u00e7\u00e3o \u00fanica", + "OptionOneTimeDescription": "Esta \u00e9 uma doa\u00e7\u00e3o adicional \u00e0 equipe para demonstrar seu apoio. N\u00e3o garante nenhum benef\u00edcio adicional e n\u00e3o produzir\u00e1 uma chave de colaborador.", "OptionLifeTimeSupporterMembership": "Ades\u00e3o de colaborador vital\u00edcia", - "LabelServerPort": "Porta:", "OptionYearlySupporterMembership": "Ades\u00e3o de colaborador anual", - "LabelConversionCpuCoreLimit": "Limite de n\u00facleos da CPU:", "OptionMonthlySupporterMembership": "Ades\u00e3o de colaborador mensal", - "LabelConversionCpuCoreLimitHelp": "Limite o n\u00famero de n\u00facleos da CPU que ser\u00e3o usados durante a convers\u00e3o na sincroniza\u00e7\u00e3o", - "ButtonChangeServer": "Alterar Servidor", - "OptionEnableFullSpeedConversion": "Ativar convers\u00e3o de alta velocidade", - "OptionEnableFullSpeedConversionHelp": "Por padr\u00e3o, a convers\u00e3o na sincroniza\u00e7\u00e3o \u00e9 executada em uma velocidade baixa para minimizar o consumo de recursos.", - "HeaderConnectToServer": "Conectar ao Servidor", - "LabelBlockContentWithTags": "Bloquear conte\u00fado com tags:", + "OptionNoTrailer": "Nenhum Trailer", + "OptionNoThemeSong": "Nenhuma M\u00fasica-tema", + "OptionNoThemeVideo": "Nenhum V\u00eddeo-tema", + "LabelOneTimeDonationAmount": "Valor da doa\u00e7\u00e3o:", + "ButtonDonate": "Doar", + "ButtonPurchase": "Comprar", + "OptionActor": "Ator", + "OptionComposer": "Compositor", + "OptionDirector": "Diretor", + "OptionGuestStar": "Ator convidado", + "OptionProducer": "Produtor", + "OptionWriter": "Escritor", + "LabelAirDays": "Dias da exibi\u00e7\u00e3o:", + "LabelAirTime": "Hor\u00e1rio:", + "HeaderMediaInfo": "Informa\u00e7\u00f5es da M\u00eddia", + "HeaderPhotoInfo": "Informa\u00e7\u00f5es da Foto", "HeaderInstall": "Instalar", "LabelSelectVersionToInstall": "Selecione a vers\u00e3o para instalar:", "LinkSupporterMembership": "Aprenda sobre a Ades\u00e3o de Colaboradores", "MessageSupporterPluginRequiresMembership": "Este plugin requer que seja um colaborador ativo depois de um per\u00edodo gr\u00e1tis de 14 dias.", "MessagePremiumPluginRequiresMembership": "Este plugin requer que seja um colaborador para compr\u00e1-lo depois do per\u00edodo gr\u00e1tis de 14 dias.", "HeaderReviews": "Avalia\u00e7\u00f5es", - "LabelTagFilterMode": "Modo:", "HeaderDeveloperInfo": "Info do desenvolvedor", "HeaderRevisionHistory": "Hist\u00f3rico de Vers\u00f5es", "ButtonViewWebsite": "Ver website", - "LabelTagFilterAllowModeHelp": "Se permitidas, as tags ser\u00e3o usadas como parte de uma estrutura de pastas agrupadas. Conte\u00fado com tags necessitar\u00e1 que as pastas superiores tamb\u00e9m tenham tags.", - "HeaderPlaylists": "Listas de reprodu\u00e7\u00e3o", - "LabelEnableFullScreen": "Ativar modo tela cheia", - "OptionEnableTranscodingThrottle": "Ativar controlador de fluxo", - "LabelEnableChromecastAc3Passthrough": "Ativar a assagem direta de AC3 para o Chromecast", - "OptionEnableTranscodingThrottleHelp": "O controlador de fluxo ajustar\u00e1 automaticamente a velocidade de transcodifica\u00e7\u00e3o para minimizar o uso da cpu no servidor durante a reprodu\u00e7\u00e3o.", - "LabelSyncPath": "Caminho do conte\u00fado sincronizado:", - "OptionActor": "Ator", - "ButtonDonate": "Doar", - "TitleNewUser": "Novo Usu\u00e1rio", - "OptionComposer": "Compositor", - "ButtonConfigurePassword": "Configurar Senha", - "OptionDirector": "Diretor", - "HeaderDashboardUserPassword": "As senhas do usu\u00e1rio s\u00e3o gerenciadas dentro das prefer\u00eancias de cada perfil de usu\u00e1rio.", - "OptionGuestStar": "Ator convidado", - "OptionProducer": "Produtor", - "OptionWriter": "Escritor", "HeaderXmlSettings": "Ajustes do Xml", "HeaderXmlDocumentAttributes": "Atributos do Documento Xml", - "ButtonSignInWithConnect": "Entrar no Emby Connect", "HeaderXmlDocumentAttribute": "Atributo do Documento Xml", "XmlDocumentAttributeListHelp": "Estes atributos s\u00e3o aplicados ao elemento principal de cada resposta xml.", - "ValueSpecialEpisodeName": "Especial - {0}", "OptionSaveMetadataAsHidden": "Salvar metadados e imagens como arquivos ocultos", - "HeaderNewServer": "Novo Servidor", - "TabActivity": "Atividade", - "TitleSync": "Sinc", - "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.", - "HeaderInvitations": "Convites", + "LabelExtractChaptersDuringLibraryScan": "Extrair imagens dos cap\u00edtulos durante o rastreamento da biblioteca", + "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 no Emby:", + "LabelConnectUserName": "Nome de usu\u00e1rio\/email no Emby:", + "LabelConnectUserNameHelp": "Conecte este usu\u00e1rio a uma conta Emby para ativar o acesso f\u00e1cil de qualquer app do Emby sem ter que saber o endere\u00e7o ip do servidor.", + "ButtonLearnMoreAboutEmbyConnect": "Saiba mais sobre o Emby 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.", + "LabelNativeExternalPlayersHelp": "Exibir bot\u00f5es para reproduzir o conte\u00fado em reprodutores externos.", + "LabelEnableItemPreviews": "Ativar pr\u00e9-visualiza\u00e7\u00e3o de itens", + "LabelEnableItemPreviewsHelp": "Se ativada, pr\u00e9-visualiza\u00e7\u00f5es deslizantes ser\u00e3o exibidas ao clicar nos itens em certas telas.", + "HeaderSubtitleProfile": "Perfil da Legenda", + "HeaderSubtitleProfiles": "Perfis da Legenda", + "HeaderSubtitleProfilesHelp": "Perfis da legenda descrevem os formatos da legenda suportados pelo dispositivo.", + "LabelFormat": "Formato:", + "LabelMethod": "M\u00e9todo:", + "LabelDidlMode": "Modo Didl:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "elemento res", + "OptionEmbedSubtitles": "Incorporar no recipiente", + "OptionExternallyDownloaded": "Download Externo", + "OptionHlsSegmentedSubtitles": "Legendas segmentadas hls", "LabelSubtitleFormatHelp": "Exemplo: srt", + "ButtonLearnMore": "Saiba mais", + "TabPlayback": "Reprodu\u00e7\u00e3o", "HeaderLanguagePreferences": "Prefer\u00eancias de Idioma", "TabCinemaMode": "Modo Cinema", "TitlePlayback": "Reprodu\u00e7\u00e3o", "LabelEnableCinemaModeFor": "Ativar modo cinema para:", "CinemaModeConfigurationHelp": "O modo cinema traz a experi\u00eancia do cinema diretamente para a sua sala, possibilitando reproduzir trailers e intros personalizadas antes da fun\u00e7\u00e3o principal.", - "LabelExtractChaptersDuringLibraryScan": "Extrair imagens dos cap\u00edtulos durante o rastreamento da biblioteca", - "OptionReportList": "Visualiza\u00e7\u00e3o de Lista", "OptionTrailersFromMyMovies": "Incluir trailers dos filmes na biblioteca", "OptionUpcomingMoviesInTheaters": "Incluir trailers dos filmes novos e por estrear", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Estes recursos requerem uma ades\u00e3o ativa de colaborador e a instala\u00e7\u00e3o do plugin de canal de Trailers", "LabelLimitIntrosToUnwatchedContent": "Usar trailers apenas para conte\u00fado n\u00e3o assistido", - "OptionReportStatistics": "Estat\u00edsticas", - "LabelSelectInternetTrailersForCinemaMode": "Trailers da Internet:", "LabelEnableIntroParentalControl": "Ativar controle parental inteligente", - "OptionUpcomingDvdMovies": "Incluir trailers de filmes novos e por estrear em Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Os trailers s\u00f3 ser\u00e3o selecionados se sua classifica\u00e7\u00e3o parental for igual ou menor que o conte\u00fado que est\u00e1 sendo assistido.", - "HeaderThisUserIsCurrentlyDisabled": "Este usu\u00e1rio est\u00e1 desativado atualmente", - "OptionUpcomingStreamingMovies": "Incluir trailers de filmes novos e por estrear no Netflix", - "HeaderNewUsers": "Novos Usu\u00e1rios", - "HeaderUpcomingSports": "Esportes Por Estrear", - "OptionReportGrouping": "Agrupamento", - "LabelDisplayTrailersWithinMovieSuggestions": "Exibir trailers dentro das sugest\u00f5es de filmes", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Estes recursos requerem uma ades\u00e3o ativa de colaborador e a instala\u00e7\u00e3o do plugin de canal de Trailers", "OptionTrailersFromMyMoviesHelp": "\u00c9 necess\u00e1rio o ajuste dos trailers locais.", - "ButtonSignUp": "Entrar", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requer a instala\u00e7\u00e3o do canal de Trailers", "LabelCustomIntrosPath": "Caminho das intros personalizadas:", - "MessageReenableUser": "Veja abaixo para reativar", "LabelCustomIntrosPathHelp": "Uma pasta contendo arquivos de v\u00eddeo. Um v\u00eddeo ser\u00e1 selecionado aleatoriamente e reproduzido depois dos trailers.", - "LabelUploadSpeedLimit": "Limite de velocidade de upload (Mbps):", - "TabPlayback": "Reprodu\u00e7\u00e3o", - "OptionAllowSyncTranscoding": "Permitir sincroniza\u00e7\u00e3o que necessite de transcodifica\u00e7\u00e3o", - "LabelConnectUserName": "Nome de usu\u00e1rio\/email no Emby:", - "LabelConnectUserNameHelp": "Conecte este usu\u00e1rio a uma conta Emby para ativar o acesso f\u00e1cil de qualquer app do Emby sem ter que saber o endere\u00e7o ip do servidor.", - "HeaderPlayback": "Reprodu\u00e7\u00e3o de M\u00eddia", - "HeaderViewStyles": "Visualizar Estilos", - "TabJobs": "Tarefas", - "TabSyncJobs": "Tarefas de Sincroniza\u00e7\u00e3o", - "LabelSelectViewStyles": "Ativar apresenta\u00e7\u00f5es aprimoradas para:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Os usu\u00e1rios receber\u00e3o mensagens de erro amig\u00e1veis quando o conte\u00fado n\u00e3o for reproduz\u00edvel, baseado nas pol\u00edticas.", - "LabelSelectViewStylesHelp": "Se ativada, as visualiza\u00e7\u00f5es ser\u00e3o feitas com metadados para oferecer categorias como Sugest\u00f5es, Recentes, G\u00eaneros e mais. Se desativada, elas ser\u00e3o exibidas como pastas simples.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Comprar", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Esqueci a Senha", - "LabelConnectGuestUserName": "Seu nome de usu\u00e1rio ou endere\u00e7o de email no Emby:", + "ValueSpecialEpisodeName": "Especial - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Trailers da Internet:", + "OptionUpcomingDvdMovies": "Incluir trailers de filmes novos e por estrear em Dvd & Blu-ray", + "OptionUpcomingStreamingMovies": "Incluir trailers de filmes novos e por estrear no Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Exibir trailers dentro das sugest\u00f5es de filmes", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requer a instala\u00e7\u00e3o do canal de Trailers", + "CinemaModeConfigurationHelp2": "Os usu\u00e1rios poder\u00e3o desabilitar o modo cinema individualmente, em suas pr\u00f3prias prefer\u00eancias.", + "LabelEnableCinemaMode": "Ativar modo cinema", + "HeaderCinemaMode": "Modo Cinema", + "LabelDateAddedBehavior": "Data de adi\u00e7\u00e3o de comportamento para o novo conte\u00fado:", + "OptionDateAddedImportTime": "Use a data obtida na biblioteca", + "OptionDateAddedFileTime": "Use a data de cria\u00e7\u00e3o do arquivo", + "LabelDateAddedBehaviorHelp": "Se um valor de metadata estiver presente, ele sempre ser\u00e1 utilizado antes destas op\u00e7\u00f5es.", + "LabelNumberTrailerToPlay": "N\u00famero de trailers a serem apresentados:", + "TitleDevices": "Dispositivos", + "TabCameraUpload": "Upload da C\u00e2mera", + "TabDevices": "Dispositivos", + "HeaderCameraUploadHelp": "Faz o upload autom\u00e1tico de fotos e v\u00eddeos tiradas por seus dispositivos m\u00f3veis para o Emby.", + "MessageNoDevicesSupportCameraUpload": "Atualmente voc\u00ea n\u00e3o tem nenhum dispositivo que suporte upload da c\u00e2mera.", + "LabelCameraUploadPath": "Caminho para upload da c\u00e2mera:", + "LabelCameraUploadPathHelp": "Selecione um caminho personalizado para upload, se desejar. Se n\u00e3o definir, a pasta padr\u00e3o ser\u00e1 usada. Se usar um caminho personalizado, ser\u00e1 necess\u00e1rio adicionar na \u00e1rea de ajustes da biblioteca.", + "LabelCreateCameraUploadSubfolder": "Criar uma subpasta para cada dispositivo", + "LabelCreateCameraUploadSubfolderHelp": "Pastas espec\u00edficas podem ser atribu\u00eddas a um dispositivo clicando-as na p\u00e1gina de Dispositivos.", + "LabelCustomDeviceDisplayName": "Nome para exibi\u00e7\u00e3o:", + "LabelCustomDeviceDisplayNameHelp": "Forne\u00e7a um nome para exibi\u00e7\u00e3o ou deixe em branco para usar o nome informado pelo dispositivo.", + "HeaderInviteUser": "Convidar usu\u00e1rio", "LabelConnectGuestUserNameHelp": "Este \u00e9 o nome de usu\u00e1rio que seu amigo usa para entrar no website do Emby, ou seu endere\u00e7o de email.", + "HeaderInviteUserHelp": "Compartilhar sua m\u00eddia com amigos nunca foi t\u00e3o f\u00e1cil com o Emby Connect.", + "ButtonSendInvitation": "Enviar convite", + "HeaderSignInWithConnect": "Entrar no Emby Connect", + "HeaderGuests": "Convidados", + "HeaderLocalUsers": "Usu\u00e1rios Locais", + "HeaderPendingInvitations": "Convites pendentes", + "TabParentalControl": "Controle Parental", + "HeaderAccessSchedule": "Agendamento de Acesso", + "HeaderAccessScheduleHelp": "Criar um agendamento de acesso para limitar o acesso a certas horas.", + "ButtonAddSchedule": "Adicionar Agendamento", + "LabelAccessDay": "Dia da semana:", + "LabelAccessStart": "Hora inicial:", + "LabelAccessEnd": "Hora final:", + "HeaderSchedule": "Agendamento", + "OptionEveryday": "Todos os dias", + "OptionWeekdays": "Dias da semana", + "OptionWeekends": "Fins-de-semana", + "MessageProfileInfoSynced": "A informa\u00e7\u00e3o do perfil do usu\u00e1rio foi sincronizada com o Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Opcional: Associe sua conta Emby", + "ButtonTrailerReel": "Carrossel de trailers", + "HeaderTrailerReel": "Carrossel de Trailers", + "OptionPlayUnwatchedTrailersOnly": "Reproduzir apenas trailers n\u00e3o assistidos", + "HeaderTrailerReelHelp": "Inicie um carrossel de trailers para reproduzir uma longa lista de reprodu\u00e7\u00e3o de trailers.", + "MessageNoTrailersFound": "Nenhum trailer encontrado. Instale o canal Trailer para melhorar sua experi\u00eancia com filmes, adicionando uma biblioteca de trailers da internet.", + "HeaderNewUsers": "Novos Usu\u00e1rios", + "ButtonSignUp": "Entrar", "ButtonForgotPassword": "Esqueci a senha", + "OptionDisableUserPreferences": "Desativar acesso \u00e0s prefer\u00eancias do usu\u00e1rio.", + "OptionDisableUserPreferencesHelp": "Se ativado, apenas administradores poder\u00e3o configurar imagens do perfil do usu\u00e1rio, senhas e prefer\u00eancias de idioma.", + "HeaderSelectServer": "Selecionar Servidor", + "MessageNoServersAvailableToConnect": "Nenhum servidor dispon\u00edvel para conex\u00e3o. Se foi convidado a compartilhar um servidor, confirme aceitando abaixo ou clicando no link em seu email.", + "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": "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.", + "HeaderInvitations": "Convites", "LabelForgotPasswordUsernameHelp": "Digite o nome de seu usu\u00e1rio, se lembrar.", + "HeaderForgotPassword": "Esqueci a Senha", "TitleForgotPassword": "Esqueci a Senha", "TitlePasswordReset": "Redefini\u00e7\u00e3o de Senha", - "TabParentalControl": "Controle Parental", "LabelPasswordRecoveryPinCode": "C\u00f3digo:", - "HeaderAccessSchedule": "Agendamento de Acesso", "HeaderPasswordReset": "Redefini\u00e7\u00e3o de Senha", - "HeaderAccessScheduleHelp": "Criar um agendamento de acesso para limitar o acesso a certas horas.", "HeaderParentalRatings": "Classifica\u00e7\u00f5es Parentais", - "ButtonAddSchedule": "Adicionar Agendamento", "HeaderVideoTypes": "Tipos de V\u00eddeo", - "LabelAccessDay": "Dia da semana:", "HeaderYears": "Anos", - "LabelAccessStart": "Hora inicial:", - "LabelAccessEnd": "Hora final:", - "LabelDvdSeasonNumber": "N\u00famero da temporada do Dvd:", + "HeaderAddTag": "Adicionar Tag", + "LabelBlockContentWithTags": "Bloquear conte\u00fado com tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limitar a uma imagem incorporada", + "LabelEnableSingleImageInDidlLimitHelp": "Alguns dispositivos n\u00e3o interpretar\u00e3o apropriadamente se m\u00faltiplas imagens estiverem incorporadas dentro do Didl.", + "TabActivity": "Atividade", + "TitleSync": "Sinc", + "OptionAllowSyncContent": "Permitir Sincroniza\u00e7\u00e3o", + "OptionAllowContentDownloading": "Permitir download de m\u00eddia", + "NameSeasonUnknown": "Temporada Desconhecida", + "NameSeasonNumber": "Temporada {0}", + "LabelNewUserNameHelp": "Nomes de usu\u00e1rios podem conter letras (a-z), n\u00fameros (0-9), tra\u00e7os (-), sublinhados (_), ap\u00f3strofes (') e pontos (.)", + "TabJobs": "Tarefas", + "TabSyncJobs": "Tarefas de Sincroniza\u00e7\u00e3o", + "LabelTagFilterMode": "Modo:", + "LabelTagFilterAllowModeHelp": "Se permitidas, as tags ser\u00e3o usadas como parte de uma estrutura de pastas agrupadas. Conte\u00fado com tags necessitar\u00e1 que as pastas superiores tamb\u00e9m tenham tags.", + "HeaderThisUserIsCurrentlyDisabled": "Este usu\u00e1rio est\u00e1 desativado atualmente", + "MessageReenableUser": "Veja abaixo para reativar", + "LabelEnableInternetMetadataForTvPrograms": "Fazer download dos metadados da internet para:", + "OptionTVMovies": "Filmes da TV", + "HeaderUpcomingMovies": "Filmes Por Estrear", + "HeaderUpcomingSports": "Esportes Por Estrear", + "HeaderUpcomingPrograms": "Programas Por Estrear", + "ButtonMoreItems": "Mais", + "LabelShowLibraryTileNames": "Mostrar os nomes dos mosaicos da biblioteca", + "LabelShowLibraryTileNamesHelp": "Determina se os t\u00edtulos ser\u00e3o exibidos embaixo dos mosaicos da biblioteca na p\u00e1gina in\u00edcio", + "OptionEnableTranscodingThrottle": "Ativar controlador de fluxo", + "OptionEnableTranscodingThrottleHelp": "O controlador de fluxo ajustar\u00e1 automaticamente a velocidade de transcodifica\u00e7\u00e3o para minimizar o uso da cpu no servidor durante a reprodu\u00e7\u00e3o.", + "LabelUploadSpeedLimit": "Limite de velocidade de upload (Mbps):", + "OptionAllowSyncTranscoding": "Permitir sincroniza\u00e7\u00e3o que necessite de transcodifica\u00e7\u00e3o", + "HeaderPlayback": "Reprodu\u00e7\u00e3o de M\u00eddia", + "OptionAllowAudioPlaybackTranscoding": "Permitir reprodu\u00e7\u00e3o de \u00e1udio que necessite de transcodifica\u00e7\u00e3o", + "OptionAllowVideoPlaybackTranscoding": "Permitir reprodu\u00e7\u00e3o de v\u00eddeo que necessite de transcodifica\u00e7\u00e3o", + "OptionAllowMediaPlaybackTranscodingHelp": "Os usu\u00e1rios receber\u00e3o mensagens de erro amig\u00e1veis quando o conte\u00fado n\u00e3o for reproduz\u00edvel, baseado nas pol\u00edticas.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Limite de taxa de bits para o cliente remoto (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "Um limite opcional da taxa de bits para todos os clientes remotos. Esta op\u00e7\u00e3o \u00e9 \u00fatil para evitar que os clientes demandem uma taxa de bits maior que a permitida pela sua conex\u00e3o.", + "LabelConversionCpuCoreLimit": "Limite de n\u00facleos da CPU:", + "LabelConversionCpuCoreLimitHelp": "Limite o n\u00famero de n\u00facleos da CPU que ser\u00e3o usados durante a convers\u00e3o na sincroniza\u00e7\u00e3o", + "OptionEnableFullSpeedConversion": "Ativar convers\u00e3o de alta velocidade", + "OptionEnableFullSpeedConversionHelp": "Por padr\u00e3o, a convers\u00e3o na sincroniza\u00e7\u00e3o \u00e9 executada em uma velocidade baixa para minimizar o consumo de recursos.", + "HeaderPlaylists": "Listas de reprodu\u00e7\u00e3o", + "HeaderViewStyles": "Visualizar Estilos", + "LabelSelectViewStyles": "Ativar apresenta\u00e7\u00f5es aprimoradas para:", + "LabelSelectViewStylesHelp": "Se ativada, as visualiza\u00e7\u00f5es ser\u00e3o feitas com metadados para oferecer categorias como Sugest\u00f5es, Recentes, G\u00eaneros e mais. Se desativada, elas ser\u00e3o exibidas como pastas simples.", + "TabPhotos": "Fotos", + "TabVideos": "V\u00eddeos", + "HeaderWelcomeToEmby": "Bem vindo ao Emby", + "EmbyIntroMessage": "Com o Emby voc\u00ea pode facilmente fazer streaming de v\u00eddeos, m\u00fasicas e fotos do Servidor Emby para smartphones, tablets e outros dispositivos.", + "ButtonSkip": "Ignorar", + "TextConnectToServerManually": "Conectar ao servidor manualmente", + "ButtonSignInWithConnect": "Entrar no Emby Connect", + "ButtonConnect": "Conectar", + "LabelServerHost": "Servidor:", + "LabelServerHostHelp": "192.168.1.100 ou https:\/\/meuservidor.com", + "LabelServerPort": "Porta:", + "HeaderNewServer": "Novo Servidor", + "ButtonChangeServer": "Alterar Servidor", + "HeaderConnectToServer": "Conectar ao Servidor", + "OptionReportList": "Visualiza\u00e7\u00e3o de Lista", + "OptionReportStatistics": "Estat\u00edsticas", + "OptionReportGrouping": "Agrupamento", "HeaderExport": "Exportar", - "LabelDvdEpisodeNumber": "N\u00famero do epis\u00f3dio do Dvd:", - "LabelAbsoluteEpisodeNumber": "N\u00famero absoluto do epis\u00f3dio:", - "LabelAirsBeforeSeason": "Exibido antes da temporada:", "HeaderColumns": "Colunas", - "LabelAirsAfterSeason": "Exibido depois da temporada:" + "ButtonReset": "Redefinir", + "OptionEnableExternalVideoPlayers": "Ativar reprodutores de v\u00eddeo externos", + "ButtonUnlockGuide": "Desbloquear Guia", + "LabelEnableFullScreen": "Ativar modo tela cheia", + "LabelEnableChromecastAc3Passthrough": "Ativar a assagem direta de AC3 para o Chromecast", + "LabelSyncPath": "Caminho do conte\u00fado sincronizado:", + "LabelEmail": "Email:", + "LabelUsername": "Nome do Usu\u00e1rio:", + "HeaderSignUp": "Inscrever-se", + "LabelPasswordConfirm": "Senha (confirmar):", + "ButtonAddServer": "Adicionar Servidor", + "TabHomeScreen": "Tela In\u00edcio", + "HeaderDisplay": "Exibi\u00e7\u00e3o", + "HeaderNavigation": "Navega\u00e7\u00e3o", + "LegendTheseSettingsShared": "Estas defini\u00e7\u00f5es ser\u00e3o compartilhadas em todos os dispositivos" } \ 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 c7f9d51c5d..e55fe5caa1 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/pt-PT.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/pt-PT.json @@ -1,213 +1,194 @@ { + "LabelExit": "Sair", + "LabelVisitCommunity": "Visitar a Comunidade", + "LabelGithub": "Github", + "LabelSwagger": "Swagger", + "LabelStandard": "Padr\u00e3o", + "LabelApiDocumentation": "Documenta\u00e7\u00e3o da API", + "LabelDeveloperResources": "Recursos do Programador", + "LabelBrowseLibrary": "Navegar pela Biblioteca", + "LabelConfigureServer": "Configurar o Emby", + "LabelOpenLibraryViewer": "Abrir Visualizador da Biblioteca", + "LabelRestartServer": "Reiniciar Servidor", + "LabelShowLogWindow": "Mostrar Janela de Log", + "LabelPrevious": "Anterior", + "LabelFinish": "Terminar", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Seguinte", + "LabelYoureDone": "Concluiu!", "WelcomeToProject": "Bem-vindo ao Emby!", - "LabelImageSavingConvention": "Conven\u00e7\u00e3o para guardar imagens:", - "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.", - "HeaderNewCollection": "Nova Cole\u00e7\u00e3o", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "ThisWizardWillGuideYou": "Este assistente ir\u00e1 ajud\u00e1-lo durante o processo de configura\u00e7\u00e3o. Para come\u00e7ar, selecione o idioma.", + "TellUsAboutYourself": "Fale-nos sobre si", + "ButtonQuickStartGuide": "Guia r\u00e1pido", + "LabelYourFirstName": "O seu primeiro nome:", + "MoreUsersCanBeAddedLater": "\u00c9 poss\u00edvel adicionar utilizadores mais tarde no Painel Principal", + "UserProfilesIntro": "O Emby inclui suporte nativo de perfis de utilizadores, permitindo que cada utilizador tenha as suas configura\u00e7\u00f5es de visualiza\u00e7\u00e3o, estado da reprodu\u00e7\u00e3o e controlos parentais.", + "LabelWindowsService": "Servi\u00e7o do Windows", + "AWindowsServiceHasBeenInstalled": "Foi instalado um Servi\u00e7o do Windows.", + "WindowsServiceIntro1": "O Servidor Emby \u00e9 normalmente executado como uma aplica\u00e7\u00e3o de ambiente de trabalho com um \u00edcone na barra de tarefas, mas se o preferir executar como um servi\u00e7o em segundo plano, pode ser iniciado no painel de controlo de servi\u00e7os do windows.", + "WindowsServiceIntro2": "Por favor tome aten\u00e7\u00e3o que se estiver a usar o servi\u00e7o, este n\u00e3o pode estar a correr ao mesmo tempo que o \u00edcone na bandeja. Por isso, ter\u00e1 de sair da aplca\u00e7\u00e3o da bandeja para poder correr o servi\u00e7o. Note, ainda, que o servi\u00e7o necessita de privil\u00e9gios administrativos via Painel de Controlo. De momento, n\u00e3o \u00e9 poss\u00edvel utilizar a fun\u00e7\u00e3o de auto-actualiza\u00e7\u00e3o ao mesmo tempo que est\u00e1 em utiliza\u00e7\u00e3o o servi\u00e7o, por isso, novas vers\u00f5es necessitam de interac\u00e7\u00e3o manual.", + "WizardCompleted": "\u00c9 tudo, de momento. O Emby come\u00e7ou a recolher informa\u00e7\u00f5es da sua biblioteca multim\u00e9dia. Confira algumas das nossas apps e de seguida clique Terminar<\/b> para ver o Painel Principal do Servidor<\/b>", + "LabelConfigureSettings": "Configura\u00e7\u00f5es", + "LabelEnableVideoImageExtraction": "Activar extrac\u00e7\u00e3o de imagens dos v\u00eddeos.", + "VideoImageExtractionHelp": "Para os v\u00eddeos ainda sem imagens e que n\u00e3o se encontram imagens na internet. Esta funcionalidade vai acrescentar mais algum tempo na leitura inicial da biblioteca, mas resultar\u00e1 numa apresenta\u00e7\u00e3o melhorada,", + "LabelEnableChapterImageExtractionForMovies": "Extrair imagens dos cap\u00edtulos dos Filmes", + "LabelChapterImageExtractionForMoviesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, ocasionar uso intensivo do cpu e pode exigir bastante espa\u00e7o em disco. Ser\u00e1 executada como uma tarefa noturna, embora seja configur\u00e1vel na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de maior uso.", + "LabelEnableAutomaticPortMapping": "Activar mapeamento autom\u00e1tico de portas", + "LabelEnableAutomaticPortMappingHelp": "UPnP permite configurar automaticamente o router, para um acesso remoto mais facilitado. Pode n\u00e3o suportar todos os modelos de routers.", + "HeaderTermsOfService": "Termos de Servi\u00e7o do Emby", + "MessagePleaseAcceptTermsOfService": "Por favor, aceite os termos de servi\u00e7o e pol\u00edtica de privacidade antes de continuar.", + "OptionIAcceptTermsOfService": "Aceito os termos de servi\u00e7o", + "ButtonPrivacyPolicy": "Pol\u00edtica de privacidade", + "ButtonTermsOfService": "Termos de Servi\u00e7o", + "HeaderDeveloperOptions": "Op\u00e7\u00f5es do Programador", + "OptionEnableWebClientResponseCache": "Enable web client response caching", + "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", + "OptionEnableWebClientResourceMinification": "Enable web client resource minification", + "LabelDashboardSourcePath": "Caminho da fonte do cliente web:", + "LabelDashboardSourcePathHelp": "Se correr o servidor a partir do c\u00f3digo fonte, especifique o caminho da pasta dashboard-ui. Todos os ficheiros do cliente web ser\u00e3o usados a partir desta localiza\u00e7\u00e3o.", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organizar", "LinkedToEmbyConnect": "Associado ao Emby Connect", - "OptionImageSavingStandard": "Padr\u00e3o - MB2", - "OptionAutomatic": "Autom\u00e1tico", - "ButtonCreate": "Criar", - "ButtonSignIn": "Iniciar Sess\u00e3o", - "LiveTvPluginRequired": "Uma extens\u00e3o de um fornecedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.", - "TitleSignIn": "Iniciar Sess\u00e3o", - "LiveTvPluginRequiredHelp": "Por favor instale uma das nossas extens\u00f5es dispon\u00edveis, como a Next Pvr ou ServerWmc.", - "LabelWebSocketPortNumber": "N\u00famero da porta da Web socket:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Por favor inicie a sess\u00e3o", - "LabelUser": "Utilizador:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Outro", - "LabelPassword": "Senha:", - "OptionDownloadThumbImage": "Miniatura", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "In\u00edcio de Sess\u00e3o Manual", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Retomar", - "PasswordLocalhostMessage": "N\u00e3o s\u00e3o necess\u00e1rias senhas ao iniciar a sess\u00e3o a partir do localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Tempo", - "OptionDownloadBoxImage": "Caixa", - "TitleAppSettings": "Configura\u00e7\u00f5es da Aplica\u00e7\u00e3o", + "HeaderSupporterBenefits": "Benef\u00edcios do Apoiante", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sincroniza\u00e7\u00e3o", + "ButtonOk": "Ok", + "ButtonCancel": "Cancelar", + "ButtonExit": "Sair", + "ButtonNew": "Novo", + "HeaderTV": "TV", + "HeaderAudio": "\u00c1udio", + "HeaderVideo": "V\u00eddeo", + "HeaderPaths": "Localiza\u00e7\u00f5es", + "CategorySync": "Sincroniza\u00e7\u00e3o", + "TabPlaylist": "Lista de Reprodu\u00e7\u00e3o", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Adultos Apenas!", + "DividerOr": "-- ou --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Registar com PayPal", + "HeaderSyncRequiresSupporterMembership": "A sincroniza\u00e7\u00e3o necessita de uma conta de Apoiante", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Caminho de arquivo tempor\u00e1rio:", + "LabelSyncTempPathHelp": "Especifique uma pasta de trabalho para a sincroniza\u00e7\u00e3o personalizada. Multim\u00e9dia convertida, criada durante o processo de sincroniza\u00e7\u00e3o, ser\u00e1 aqui armazenada.", + "LabelCustomCertificatePath": "Localiza\u00e7\u00e3o do certificado personalizado:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", + "TitleNotifications": "Notifications", + "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Tarefa de Sincroniza\u00e7\u00e3o", + "FolderTypeMovies": "Filmes", + "FolderTypeMusic": "M\u00fasica", + "FolderTypeAdultVideos": "V\u00eddeos adultos", + "FolderTypePhotos": "Fotos", + "FolderTypeMusicVideos": "V\u00eddeos musicais", + "FolderTypeHomeVideos": "V\u00eddeos caseiros", + "FolderTypeGames": "Jogos", + "FolderTypeBooks": "Livros", + "FolderTypeTvShows": "TV", + "FolderTypeInherit": "Inherit", + "LabelContentType": "Tipo de conte\u00fado:", + "TitleScheduledTasks": "Tarefas Agendadas", + "HeaderSetupLibrary": "Configurar biblioteca", + "ButtonAddMediaFolder": "Adicionar pasta de media", + "LabelFolderType": "Tipo de pasta", + "ReferToMediaLibraryWiki": "Consulte a wiki", + "LabelCountry": "Pa\u00eds:", + "LabelLanguage": "Idioma:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Idioma preferido para metadados", + "LabelSaveLocalMetadata": "Guardar imagens e metadados nas pastas multim\u00e9dia", + "LabelSaveLocalMetadataHelp": "Guardar imagens e metadados diretamente nas pastas multim\u00e9dia, vai coloc\u00e1-los num local de f\u00e1cil acesso para poderem ser editados facilmente.", + "LabelDownloadInternetMetadata": "Transferir imagens e metadados da Internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Prefer\u00eancias", + "TabPassword": "Senha", + "TabLibraryAccess": "Aceder \u00e0 Biblioteca", + "TabAccess": "Access", + "TabImage": "Imagem", + "TabProfile": "Perfil", + "TabMetadata": "Metadados", + "TabImages": "Imagens", + "TabNotifications": "Notifica\u00e7\u00f5es", + "TabCollectionTitles": "T\u00edtulos", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Ativar acesso de todos os dispositivos", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Mostrar epis\u00f3dios em falta dentro das temporadas", + "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar epis\u00f3dios por estrear dentro das temporadas", + "HeaderVideoPlaybackSettings": "Configura\u00e7\u00f5es de Reprodu\u00e7\u00e3o de V\u00eddeo", + "HeaderPlaybackSettings": "Op\u00e7\u00f5es de Reprodu\u00e7\u00e3o", + "LabelAudioLanguagePreference": "Prefer\u00eancias de Idioma de Audio:", + "LabelSubtitleLanguagePreference": "Prefer\u00eancia de Idioma de Legenda:", + "OptionDefaultSubtitles": "Padr\u00e3o", + "OptionOnlyForcedSubtitles": "Only forced subtitles", + "OptionAlwaysPlaySubtitles": "Reproduzir sempre legendas", + "OptionNoSubtitles": "Sem legendas", + "OptionDefaultSubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas quando o \u00e1udio estiver num idioma estrangeiro.", + "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", + "OptionAlwaysPlaySubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas independente do idioma do \u00e1udio.", + "OptionNoSubtitlesHelp": "As legendas n\u00e3o ser\u00e3o carregadas por padr\u00e3o.", + "TabProfiles": "Perfis", + "TabSecurity": "Seguran\u00e7a", + "ButtonAddUser": "Adicionar Utilizador", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Guardar", + "ButtonResetPassword": "Redefinir Senha", + "LabelNewPassword": "Nova senha:", + "LabelNewPasswordConfirm": "Confirmar nova senha:", + "HeaderCreatePassword": "Criar Senha", + "LabelCurrentPassword": "Senha actual:", + "LabelMaxParentalRating": "Controlo Parental m\u00e1ximo permitido:", + "MaxParentalRatingHelp": "Conte\u00fado com classifica\u00e7\u00e3o mais elevada ser\u00e1 escondida deste utilizador.", + "LibraryAccessHelp": "Escolha as pastas de media a partilha com este utilizador. Os Administradores poder\u00e3o editar todas as pastas, usando o Gestor de Metadados.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", "ButtonDeleteImage": "Apagar imagem", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disco", - "LabelMinResumePercentage": "Percentagem m\u00ednima para retomar:", + "LabelSelectUsers": "Selecionar utilizadores:", "ButtonUpload": "Carregar", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Percentagem m\u00e1xima para retomar:", "HeaderUploadNewImage": "Carregar Nova Imagem", - "OptionDownloadBackImage": "Traseira", - "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima da retoma (segundos):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", "LabelDropImageHere": "Largar a imagem aqui", - "OptionDownloadArtImage": "Arte", - "LabelMinResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados n\u00e3o assistidos se parados antes deste tempo", "ImageUploadAspectRatioHelp": "1:1 R\u00e1cio de aspecto recomendado. JPG\/ PNG apenas.", - "OptionDownloadPrimaryImage": "Principal", - "LabelMaxResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo", "MessageNothingHere": "Nada aqui.", - "HeaderFetchImages": "Buscar Imagens:", - "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o ser\u00e3o retom\u00e1veis", - "TabSuggestions": "Sugest\u00f5es", "MessagePleaseEnsureInternetMetadata": "Certifique-se que a transfer\u00eancia de metadados da internet est\u00e1 activa.", - "HeaderImageSettings": "Op\u00e7\u00f5es da Imagem", "TabSuggested": "Sugest\u00f5es", - "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:", + "TabSuggestions": "Sugest\u00f5es", "TabLatest": "Mais recente", - "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de ecr\u00e3 por item:", "TabUpcoming": "Pr\u00f3ximos", - "LabelMinBackdropDownloadWidth": "Transferir Imagens de fundo com o tamanho m\u00ednimo:", "TabShows": "S\u00e9ries", - "LabelMinScreenshotDownloadWidth": "Transferir imagens de ecr\u00e3 com o tamanho m\u00ednimo:", "TabEpisodes": "Epis\u00f3dios", - "ButtonAddScheduledTaskTrigger": "Add Trigger", "TabGenres": "G\u00e9neros", - "HeaderAddScheduledTaskTrigger": "Add Trigger", "TabPeople": "Pessoas", - "ButtonAdd": "Adicionar", "TabNetworks": "Redes", - "LabelTriggerType": "Tipo do Acionador:", - "OptionDaily": "Diariamente", - "OptionWeekly": "Semanalmente", - "OptionOnInterval": "Num intervalo", - "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o", - "ButtonHelp": "Ajuda", - "OptionAfterSystemEvent": "Depois de um evento do sistema", - "LabelDay": "Dia:", - "LabelTime": "Tempo:", - "OptionRelease": "Lan\u00e7amento Oficial", - "LabelEvent": "Evento:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Retomar da suspens\u00e3o", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Inst\u00e1vel)", - "LabelEveryXMinutes": "Todos", - "HeaderTvTuners": "Sintonizadores", - "CategorySync": "Sincroniza\u00e7\u00e3o", - "HeaderGallery": "Galeria", - "HeaderLatestGames": "\u00daltimos Jogos", - "RegisterWithPayPal": "Registar com PayPal", - "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", - "LabelGithub": "Github", - "Option1Player": "1+", - "LabelApiDocumentation": "Documenta\u00e7\u00e3o da API", - "Option2Player": "2+", - "LabelDeveloperResources": "Recursos do Programador", - "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", - "LabelManagement": "Administra\u00e7\u00e3o:", - "HeaderMusicVideos": "V\u00eddeos de M\u00fasica", - "HeaderSpecialFeatures": "Extras", - "HeaderDeveloperOptions": "Op\u00e7\u00f5es do Programador", - "HeaderCastCrew": "Elenco e Equipa", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Partes Adicionais", - "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Separar Vers\u00f5es", - "LabelSyncTempPath": "Caminho de arquivo tempor\u00e1rio:", - "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Em falta", - "LabelSyncTempPathHelp": "Especifique uma pasta de trabalho para a sincroniza\u00e7\u00e3o personalizada. Multim\u00e9dia convertida, criada durante o processo de sincroniza\u00e7\u00e3o, ser\u00e1 aqui armazenada.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Desconectado", - "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "De", - "LabelDashboardSourcePath": "Caminho da fonte do cliente web:", - "HeaderTo": "Para", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "De:", - "LabelDashboardSourcePathHelp": "Se correr o servidor a partir do c\u00f3digo fonte, especifique o caminho da pasta dashboard-ui. Todos os ficheiros do cliente web ser\u00e3o usados a partir desta localiza\u00e7\u00e3o.", - "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "Para:", - "HeaderPaths": "Paths", - "LabelToHelp": "Exemplo: \\\\OMeuServidor\\Filmes (uma localiza\u00e7\u00e3o que os clientes possam aceder)", - "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o", - "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Especiais", - "OptionMissingEpisode": "Epis\u00f3dios em Falta", - "ButtonDonateWithPayPal": "Donate with PayPal", - "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Epis\u00f3dios por Estrear", - "LabelContentType": "Tipo de conte\u00fado:", - "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio", - "TitleScheduledTasks": "Tarefas Agendadas", - "OptionSeriesSortName": "Nome da S\u00e9rie", - "TabNotifications": "Notifica\u00e7\u00f5es", - "OptionTvdbRating": "Classifica\u00e7\u00e3o no Tvdb", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Prefer\u00eancia da Qualidade de Transcodifica\u00e7\u00e3o:", - "OptionAutomaticTranscodingHelp": "O servidor ir\u00e1 decidir a qualidade e a velocidade", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Baixa qualidade mas r\u00e1pida codifica\u00e7\u00e3o", - "OptionHighQualityTranscodingHelp": "Alta qualidade mas lenta codifica\u00e7\u00e3o", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "M\u00e1xima qualidade com codifica\u00e7\u00e3o lenta e utiliza\u00e7\u00e3o do CPU elevada", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Mais alta velocidade", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Mais alta qualidade", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "M\u00e1xima qualidade", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o da transcodifica\u00e7\u00e3o", - "OptionDefaultSubtitles": "Padr\u00e3o", - "OptionEnableDebugTranscodingLoggingHelp": "Ir\u00e1 criar ficheiros log muito grandes e s\u00f3 \u00e9 recomendado para ajudar na resolu\u00e7\u00e3o de problemas.", - "LabelEnableHttps": "Report https as external address", "HeaderUsers": "Utilizadores", - "OptionOnlyForcedSubtitles": "Only forced subtitles", "HeaderFilters": "Filtros:", - "OptionAlwaysPlaySubtitles": "Reproduzir sempre legendas", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", "ButtonFilter": "Filtro", - "OptionDefaultSubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas quando o \u00e1udio estiver num idioma estrangeiro.", "OptionFavorite": "Favoritos", - "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", "OptionLikes": "Gostos", - "OptionAlwaysPlaySubtitlesHelp": "As legendas que forem iguais ao idioma preferido ser\u00e3o carregadas independente do idioma do \u00e1udio.", "OptionDislikes": "N\u00e3o gostos", - "OptionNoSubtitlesHelp": "As legendas n\u00e3o ser\u00e3o carregadas por padr\u00e3o.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", "OptionActors": "Actores", - "TangibleSoftwareMessage": "A utilizar conversores Java\/C# da Tangible Solutions atrav\u00e9s de uma licen\u00e7a doada.", "OptionGuestStars": "Actores convidados", - "HeaderCredits": "Cr\u00e9ditos", "OptionDirectors": "Realizadores", - "TabCollections": "Cole\u00e7\u00f5es", "OptionWriters": "Argumentistas", - "TabFavorites": "Favoritos", "OptionProducers": "Produtores", - "TabMyLibrary": "A minha Biblioteca", - "HeaderServices": "Services", "HeaderResume": "Resumir", - "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de conte\u00fado:", "HeaderNextUp": "A Seguir", "NoNextUpItemsMessage": "Nenhum encontrado. Comece a ver os seus programas!", "HeaderLatestEpisodes": "\u00daltimos Epis\u00f3dios", @@ -219,42 +200,32 @@ "TabMusicVideos": "Videos Musicais", "ButtonSort": "Organizar", "HeaderSortBy": "Organizar por:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Ordem de organiza\u00e7\u00e3o:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Reproduzido", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Por reproduzir", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascendente", "OptionDescending": "Descendente", "OptionRuntime": "Dura\u00e7\u00e3o", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "N.\u00ba Visualiza\u00e7\u00f5es", "OptionDatePlayed": "Data de reprodu\u00e7\u00e3o", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Data de adi\u00e7\u00e3o", - "HeaderTV": "TV", "OptionAlbumArtist": "Artista do \u00c1lbum", - "HeaderTermsOfService": "Termos de Servi\u00e7o do Emby", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artista", - "MessagePleaseAcceptTermsOfService": "Por favor, aceite os termos de servi\u00e7o e pol\u00edtica de privacidade antes de continuar.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "\u00c1lbum", - "OptionIAcceptTermsOfService": "Aceito os termos de servi\u00e7o", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Nome da pista", - "ButtonPrivacyPolicy": "Pol\u00edtica de privacidade", - "LabelSelectUsers": "Selecionar utilizadores:", "OptionCommunityRating": "Classifica\u00e7\u00e3o da Comunidade", - "ButtonTermsOfService": "Termos de Servi\u00e7o", "OptionNameSort": "Nome", + "OptionFolderSort": "Pastas", "OptionBudget": "Or\u00e7amento", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Receita", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Imagem de fundo", "OptionTimeline": "Linha de tempo", + "OptionThumb": "Miniatura", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Classifica\u00e7\u00e3o dos cr\u00edticos", "OptionVideoBitrate": "Qualidade do v\u00eddeo", "OptionResumable": "Retom\u00e1vel", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Tarefas Agendadas", "TabMyPlugins": "As minhas extens\u00f5es", "TabCatalog": "Cat\u00e1logo", - "ThisWizardWillGuideYou": "Este assistente ir\u00e1 ajud\u00e1-lo durante o processo de configura\u00e7\u00e3o. Para come\u00e7ar, selecione o idioma.", - "TellUsAboutYourself": "Fale-nos sobre si", + "TitlePlugins": "Extens\u00f5es", "HeaderAutomaticUpdates": "Atualiza\u00e7\u00f5es autom\u00e1ticas", - "LabelYourFirstName": "O seu primeiro nome:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u00c9 poss\u00edvel adicionar utilizadores mais tarde no Painel Principal", "HeaderNowPlaying": "A reproduzir", - "UserProfilesIntro": "O Emby inclui suporte nativo de perfis de utilizadores, permitindo que cada utilizador tenha as suas configura\u00e7\u00f5es de visualiza\u00e7\u00e3o, estado da reprodu\u00e7\u00e3o e controlos parentais.", "HeaderLatestAlbums": "\u00daltimos \u00c1lbuns", - "LabelWindowsService": "Servi\u00e7o do Windows", "HeaderLatestSongs": "\u00daltimas m\u00fasicas", - "ButtonExit": "Sair", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Foi instalado um Servi\u00e7o do Windows.", "HeaderRecentlyPlayed": "Reproduzido recentemente", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "O Servidor Emby \u00e9 normalmente executado como uma aplica\u00e7\u00e3o de ambiente de trabalho com um \u00edcone na barra de tarefas, mas se o preferir executar como um servi\u00e7o em segundo plano, pode ser iniciado no painel de controlo de servi\u00e7os do windows.", "HeaderFrequentlyPlayed": "Reproduzido frequentemente", - "ButtonOrganize": "Organizar", - "WindowsServiceIntro2": "Por favor tome aten\u00e7\u00e3o que se estiver a usar o servi\u00e7o, este n\u00e3o pode estar a correr ao mesmo tempo que o \u00edcone na bandeja. Por isso, ter\u00e1 de sair da aplca\u00e7\u00e3o da bandeja para poder correr o servi\u00e7o. Note, ainda, que o servi\u00e7o necessita de privil\u00e9gios administrativos via Painel de Controlo. De momento, n\u00e3o \u00e9 poss\u00edvel utilizar a fun\u00e7\u00e3o de auto-actualiza\u00e7\u00e3o ao mesmo tempo que est\u00e1 em utiliza\u00e7\u00e3o o servi\u00e7o, por isso, novas vers\u00f5es necessitam de interac\u00e7\u00e3o manual.", "DevBuildWarning": "As vers\u00f5es Dev s\u00e3o a tecnologia de ponta. S\u00e3o lan\u00e7adas frequentemente e n\u00e3o foram testadas. A aplica\u00e7\u00e3o pode bloquear e n\u00e3o funcionar de todo.", - "HeaderGrownupsOnly": "Adultos Apenas!", - "WizardCompleted": "\u00c9 tudo, de momento. O Emby come\u00e7ou a recolher informa\u00e7\u00f5es da sua biblioteca multim\u00e9dia. Confira algumas das nossas apps e de seguida clique Terminar<\/b> para ver o Painel Principal do Servidor<\/b>", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configura\u00e7\u00f5es", - "LabelEnableVideoImageExtraction": "Activar extrac\u00e7\u00e3o de imagens dos v\u00eddeos.", - "DividerOr": "-- ou --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "Para os v\u00eddeos ainda sem imagens e que n\u00e3o se encontram imagens na internet. Esta funcionalidade vai acrescentar mais algum tempo na leitura inicial da biblioteca, mas resultar\u00e1 numa apresenta\u00e7\u00e3o melhorada,", - "LabelEnableChapterImageExtractionForMovies": "Extrair imagens dos cap\u00edtulos dos Filmes", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "Extrair imagens de cap\u00edtulos permitir\u00e1 aos clientes exibir menus gr\u00e1ficos de sele\u00e7\u00e3o de cenas. O processo pode ser lento, ocasionar uso intensivo do cpu e pode exigir bastante espa\u00e7o em disco. Ser\u00e1 executada como uma tarefa noturna, embora seja configur\u00e1vel na \u00e1rea de tarefas agendadas. N\u00e3o \u00e9 recomendado executar esta tarefa durante as horas de maior uso.", - "TitlePlugins": "Extens\u00f5es", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Activar mapeamento autom\u00e1tico de portas", - "HeaderSupporterBenefits": "Benef\u00edcios do Apoiante", - "LabelEnableAutomaticPortMappingHelp": "UPnP permite configurar automaticamente o router, para um acesso remoto mais facilitado. Pode n\u00e3o suportar todos os modelos de routers.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancelar", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Configurar biblioteca", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Adicionar pasta de media", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Tipo de pasta", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Consulte a wiki", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Pa\u00eds:", - "LabelLanguage": "Idioma:", - "HeaderPreferredMetadataLanguage": "Idioma preferido para metadados", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Guardar imagens e metadados nas pastas multim\u00e9dia", - "LabelSaveLocalMetadataHelp": "Guardar imagens e metadados diretamente nas pastas multim\u00e9dia, vai coloc\u00e1-los num local de f\u00e1cil acesso para poderem ser editados facilmente.", - "LabelDownloadInternetMetadata": "Transferir imagens e metadados da Internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Miniatura", - "LabelExit": "Sair", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visitar a Comunidade", "LabelVideoType": "Tipo de V\u00eddeo:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Padr\u00e3o", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Ativar acesso de todos os dispositivos", - "LabelBrowseLibrary": "Navegar pela Biblioteca", "LabelFeatures": "Caracter\u00edsticas:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Servi\u00e7o:", + "LabelStatus": "Estado:", + "LabelVersion": "Vers\u00e3o:", + "LabelLastResult": "\u00daltimo resultado:", "OptionHasSubtitles": "Legendas", - "LabelOpenLibraryViewer": "Abrir Visualizador da Biblioteca", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Reiniciar Servidor", "OptionHasThemeSong": "M\u00fasica de Tema", - "LabelShowLogWindow": "Mostrar Janela de Log", "OptionHasThemeVideo": "V\u00eddeo de Tema", - "LabelPrevious": "Anterior", "TabMovies": "Filmes", - "LabelFinish": "Terminar", "TabStudios": "Est\u00fadios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Seguinte", "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmes", - "LabelYoureDone": "Concluiu!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "\u00daltimos Filmes", - "FolderTypeMusic": "M\u00fasica", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "A sincroniza\u00e7\u00e3o necessita de uma conta de Apoiante", "HeaderLatestTrailers": "\u00daltimos Trailers", - "FolderTypeAdultVideos": "V\u00eddeos adultos", "OptionHasSpecialFeatures": "Extras", - "FolderTypePhotos": "Fotos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "Classifica\u00e7\u00e3o no IMDb", - "FolderTypeMusicVideos": "V\u00eddeos musicais", - "LabelFailed": "Failed", "OptionParentalRating": "Classifica\u00e7\u00e3o Parental", - "FolderTypeHomeVideos": "V\u00eddeos caseiros", - "LabelSeries": "Series:", "OptionPremiereDate": "Data de Estreia", - "FolderTypeGames": "Jogos", - "ButtonRefresh": "Refresh", "TabBasic": "B\u00e1sico", - "FolderTypeBooks": "Livros", - "HeaderPlaybackSettings": "Op\u00e7\u00f5es de Reprodu\u00e7\u00e3o", "TabAdvanced": "Avan\u00e7ado", - "FolderTypeTvShows": "TV", "HeaderStatus": "Estado", "OptionContinuing": "A Continuar", "OptionEnded": "Terminado", - "HeaderSync": "Sincroniza\u00e7\u00e3o", - "TabPreferences": "Prefer\u00eancias", "HeaderAirDays": "Dias de Exibi\u00e7\u00e3o", - "OptionReleaseDate": "Release Date", - "TabPassword": "Senha", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Domingo", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Aceder \u00e0 Biblioteca", - "TitleAutoOrganize": "Organiza\u00e7\u00e3o Autom\u00e1tica", "OptionMonday": "Segunda", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Imagem", - "TabActivityLog": "Log da Atividade", "OptionTuesday": "Ter\u00e7a", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Perfil", - "HeaderName": "Nome", "OptionWednesday": "Quarta", - "LabelDisplayMissingEpisodesWithinSeasons": "Mostrar epis\u00f3dios em falta dentro das temporadas", - "HeaderDate": "Data", "OptionThursday": "Quinta", - "LabelUnairedMissingEpisodesWithinSeasons": "Mostrar epis\u00f3dios por estrear dentro das temporadas", - "HeaderSource": "Origem", "OptionFriday": "Sexta", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Configura\u00e7\u00f5es de Reprodu\u00e7\u00e3o de V\u00eddeo", - "HeaderDestination": "Destino", "OptionSaturday": "S\u00e1bado", - "LabelAudioLanguagePreference": "Prefer\u00eancias de Idioma de Audio:", - "HeaderProgram": "Programa", "HeaderManagement": "Gest\u00e3o", + "LabelManagement": "Administra\u00e7\u00e3o:", + "OptionMissingImdbId": "Id do IMDb em falta", + "OptionMissingTvdbId": "iD do TheTVDB em falta", + "OptionMissingOverview": "Descri\u00e7\u00e3o em falta", + "OptionFileMetadataYearMismatch": "Anos do Ficheiro\/Metadados n\u00e3o coincidem", + "TabGeneral": "Geral", + "TitleSupport": "Suporte", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Acerca", + "TabSupporterKey": "Chave de Apoiante", + "TabBecomeSupporter": "Torne-se um Apoiante", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Procurar na Base de Conhecimento", + "VisitTheCommunity": "Visite a Comunidade", + "VisitProjectWebsite": "Visite a p\u00e1gina web do Emby", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Ocultar este utilizador dos formul\u00e1rios de in\u00edcio de sess\u00e3o", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "Desativar este utilizador", + "OptionDisableUserHelp": "Se desativado, o servidor n\u00e3o permite nenhuma conex\u00e3o deste utilizador. Conex\u00f5es existentes ser\u00e3o terminadas.", + "HeaderAdvancedControl": "Controlo Avan\u00e7ado", + "LabelName": "Nome:", + "ButtonHelp": "Ajuda", + "OptionAllowUserToManageServer": "Permitir a este utilizador gerir o servidor", + "HeaderFeatureAccess": "Acesso a Caracter\u00edsticas", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Permitir controlo remoto de outros utilizadores", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", "OptionMissingTmdbId": "Id Tmdb em falta", - "LabelSubtitleLanguagePreference": "Prefer\u00eancia de Idioma de Legenda:", - "HeaderClients": "Clientes", - "OptionMissingImdbId": "Id do IMDb em falta", "OptionIsHD": "HD", - "HeaderAudio": "\u00c1udio", - "LabelCompleted": "Terminado", - "OptionMissingTvdbId": "iD do TheTVDB em falta", "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Guia r\u00e1pido", - "TabProfiles": "Perfis", - "OptionMissingOverview": "Descri\u00e7\u00e3o em falta", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Tarefa de Sincroniza\u00e7\u00e3o", - "TabSecurity": "Seguran\u00e7a", - "HeaderVideo": "V\u00eddeo", - "LabelSkipped": "Ignorado", - "OptionFileMetadataYearMismatch": "Anos do Ficheiro\/Metadados n\u00e3o coincidem", "ButtonSelect": "Selecionar", - "ButtonAddUser": "Adicionar Utilizador", - "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o dos Epis\u00f3dios", - "TabGeneral": "Geral", "ButtonGroupVersions": "Agrupar Vers\u00f5es", - "TabGuide": "Guia", - "ButtonSave": "Guardar", - "TitleSupport": "Suporte", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Usar o Prismo File Mount atrav\u00e9s de uma licen\u00e7a doada.", - "TabChannels": "Canais", - "ButtonResetPassword": "Redefinir Senha", - "LabelSeasonNumber": "N\u00famero da temporada:", - "TabLog": "Log", + "TangibleSoftwareMessage": "A utilizar conversores Java\/C# da Tangible Solutions atrav\u00e9s de uma licen\u00e7a doada.", + "HeaderCredits": "Cr\u00e9ditos", "PleaseSupportOtherProduces": "Por favor suporte outros produtos gratuitos que utilizamos:", - "HeaderChannels": "Canais", - "LabelNewPassword": "Nova senha:", - "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:", - "TabAbout": "Acerca", "VersionNumber": "Vers\u00e3o {0}", - "TabRecordings": "Grava\u00e7\u00f5es", - "LabelNewPasswordConfirm": "Confirmar nova senha:", - "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:", - "TabSupporterKey": "Chave de Apoiante", "TabPaths": "Localiza\u00e7\u00f5es", - "TabScheduled": "Agendado", - "HeaderCreatePassword": "Criar Senha", - "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios", - "TabBecomeSupporter": "Torne-se um Apoiante", "TabServer": "Servidor", - "TabSeries": "S\u00e9ries", - "LabelCurrentPassword": "Senha actual:", - "HeaderSupportTheTeam": "Suporte a Equipa do Emby", "TabTranscoding": "Transcodifica\u00e7\u00e3o", - "ButtonCancelRecording": "Cancelar Grava\u00e7\u00e3o", - "LabelMaxParentalRating": "Controlo Parental m\u00e1ximo permitido:", - "LabelSupportAmount": "Quantia (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Avan\u00e7ado", - "HeaderPrePostPadding": "Pr\u00e9\/P\u00f3s grava\u00e7\u00e3o extra", - "MaxParentalRatingHelp": "Conte\u00fado com classifica\u00e7\u00e3o mais elevada ser\u00e1 escondida deste utilizador.", - "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.", - "SearchKnowledgeBase": "Procurar na Base de Conhecimento", "LabelAutomaticUpdateLevel": "N\u00edvel da atualiza\u00e7\u00e3o autom\u00e1tica", - "LabelPrePaddingMinutes": "Minutos pr\u00e9vios extra:", - "LibraryAccessHelp": "Escolha as pastas de media a partilha com este utilizador. Os Administradores poder\u00e3o editar todas as pastas, usando o Gestor de Metadados.", - "ButtonEnterSupporterKey": "Insira a chave de apoiante", - "VisitTheCommunity": "Visite a Comunidade", + "OptionRelease": "Lan\u00e7amento Oficial", + "OptionBeta": "Beta", + "OptionDev": "Dev (Inst\u00e1vel)", "LabelAllowServerAutoRestart": "Permitir ao servidor reiniciar automaticamente para aplicar as atualiza\u00e7\u00f5es", - "OptionPrePaddingRequired": "S\u00e3o necess\u00e1rios minutos pr\u00e9vios extra para poder gravar.", - "OptionNoSubtitles": "Sem legendas", - "DonationNextStep": "Assim que termine, por favor volte e insira a sua chave de apoiante, a qual ir\u00e1 receber por email.", "LabelAllowServerAutoRestartHelp": "O servidor ir\u00e1 reiniciar apenas durante per\u00edodos em que n\u00e3o esteja a ser usado, quando nenhum utilizador estiver ativo.", - "LabelPostPaddingMinutes": "Minutos posteriores extra:", - "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.", "LabelEnableDebugLogging": "Ativar log de depura\u00e7\u00e3o", - "OptionPostPaddingRequired": "S\u00e3o necess\u00e1rios minutos posteriores extra para poder gravar.", - "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.", - "OptionHideUser": "Ocultar este utilizador dos formul\u00e1rios de in\u00edcio de sess\u00e3o", "LabelRunServerAtStartup": "Iniciar o servidor no arranque", - "HeaderWhatsOnTV": "Agora a exibir", - "ButtonNew": "Novo", - "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios", - "OptionDisableUser": "Desativar este utilizador", "LabelRunServerAtStartupHelp": "Isto ir\u00e1 iniciar o \u00edcone na barra de tarefas quando o Windows inicia. Para iniciar o servi\u00e7o do Windows, desmarque isto e corra o servi\u00e7o a partir do Painel de Controlo do Windows. N\u00e3o pode correr ambos ao mesmo tempo, logo precisa de terminar o \u00edcone da barra de tarefas antes de iniciar o servi\u00e7o.", - "HeaderUpcomingTV": "Pr\u00f3ximos Programas", - "TabMetadata": "Metadados", - "LabelWatchFolder": "Observar pasta:", - "OptionDisableUserHelp": "Se desativado, o servidor n\u00e3o permite nenhuma conex\u00e3o deste utilizador. Conex\u00f5es existentes ser\u00e3o terminadas.", "ButtonSelectDirectory": "Selecione a diretoria", - "TabStatus": "Estado", - "TabImages": "Imagens", - "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos ficheiros multim\u00e9dia'.", - "HeaderAdvancedControl": "Controlo Avan\u00e7ado", "LabelCustomPaths": "Defina localiza\u00e7\u00f5es personalizadas. Deixe os campos em branco para usar os valores padr\u00e3o.", - "TabSettings": "Configura\u00e7\u00f5es", - "TabCollectionTitles": "T\u00edtulos", - "TabPlaylist": "Lista de Reprodu\u00e7\u00e3o", - "ButtonViewScheduledTasks": "Ver tarefas agendadas", - "LabelName": "Nome:", "LabelCachePath": "Localiza\u00e7\u00e3o da cache:", - "ButtonRefreshGuideData": "Atualizar Dados do Guia", - "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo do ficheiro (MB):", - "OptionAllowUserToManageServer": "Permitir a este utilizador gerir o servidor", "LabelCachePathHelp": "Defina uma localiza\u00e7\u00e3o para ficheiros de cache do servidor, como por exemplo, imagens.", - "OptionPriority": "Prioridade", - "ButtonRemove": "Remover", - "LabelMinFileSizeForOrganizeHelp": "Ficheiros at\u00e9 este tamanho ser\u00e3o ignorados.", - "HeaderFeatureAccess": "Acesso a Caracter\u00edsticas", "LabelImagesByNamePath": "Localiza\u00e7\u00e3o das imagens por nome:", + "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", + "LabelMetadataPath": "Localiza\u00e7\u00e3o dos metadados:", + "LabelMetadataPathHelp": "Defina uma localiza\u00e7\u00e3o para imagens e metadados transferidos que n\u00e3o foram configurados para serem armazenados nas pastas multim\u00e9dia.", + "LabelTranscodingTempPath": "Localiza\u00e7\u00e3o tempor\u00e1ria das transcodifica\u00e7\u00f5es:", + "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": "B\u00e1sico", + "TabTV": "TV", + "TabGames": "Jogos", + "TabMusic": "M\u00fasica", + "TabOthers": "Outros", + "HeaderExtractChapterImagesFor": "Extrair imagens de cap\u00edtulos para:", + "OptionMovies": "Filmes", + "OptionEpisodes": "Epis\u00f3dios", + "OptionOtherVideos": "Outros V\u00eddeos", + "TitleMetadata": "Metadados", + "LabelAutomaticUpdates": "Enable automatic updates", + "LabelAutomaticUpdatesTmdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas do TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas do TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao fanart.tv. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelAutomaticUpdatesTmdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao TheMovieDB.org. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelAutomaticUpdatesTvdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao TheTVDB.com. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Scroll autom\u00e1tico", + "LabelImageSavingConvention": "Conven\u00e7\u00e3o para guardar imagens:", + "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compat\u00edvel - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Padr\u00e3o - MB2", + "ButtonSignIn": "Iniciar Sess\u00e3o", + "TitleSignIn": "Iniciar Sess\u00e3o", + "HeaderPleaseSignIn": "Por favor inicie a sess\u00e3o", + "LabelUser": "Utilizador:", + "LabelPassword": "Senha:", + "ButtonManualLogin": "In\u00edcio de Sess\u00e3o Manual", + "PasswordLocalhostMessage": "N\u00e3o s\u00e3o necess\u00e1rias senhas ao iniciar a sess\u00e3o a partir do localhost.", + "TabGuide": "Guia", + "TabChannels": "Canais", + "TabCollections": "Cole\u00e7\u00f5es", + "HeaderChannels": "Canais", + "TabRecordings": "Grava\u00e7\u00f5es", + "TabScheduled": "Agendado", + "TabSeries": "S\u00e9ries", + "TabFavorites": "Favoritos", + "TabMyLibrary": "A minha Biblioteca", + "ButtonCancelRecording": "Cancelar Grava\u00e7\u00e3o", + "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": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios", + "HeaderRepeatingOptions": "Repeating Options", + "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.", + "OptionAutomatic": "Autom\u00e1tico", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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.", "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Padr\u00e3o da pasta da temporada:", - "OptionAllowMediaPlayback": "Allow media playback", - "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", "HeaderAddTitles": "Adicional T\u00edtulos", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", - "LabelMetadataPath": "Localiza\u00e7\u00e3o dos metadados:", - "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios", "LabelEnableDlnaPlayTo": "Ativar DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "LabelMetadataPathHelp": "Defina uma localiza\u00e7\u00e3o para imagens e metadados transferidos que n\u00e3o foram configurados para serem armazenados nas pastas multim\u00e9dia.", - "HeaderDays": "Dias", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Localiza\u00e7\u00e3o tempor\u00e1ria das transcodifica\u00e7\u00f5es:", - "HeaderActiveRecordings": "Grava\u00e7\u00f5es ativas", "LabelEnableDlnaDebugLogging": "Ativar log de depura\u00e7\u00e3o do DLNA", - "OptionAllowRemoteControlOthers": "Permitir controlo remoto de outros utilizadores", - "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.", - "HeaderLatestRecordings": "\u00daltimas Grava\u00e7\u00f5es", "LabelEnableDlnaDebugLoggingHelp": "Isto ir\u00e1 criar ficheiros de log grandes e deve ser usado apenas quando \u00e9 necess\u00e1rio para depurar problemas.", - "TabBasics": "B\u00e1sico", - "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es", "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para a descoberta do cliente (segundos)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Servi\u00e7o:", - "ButtonPlay": "Reproduzir", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Jogos", - "LabelStatus": "Estado:", - "ButtonEdit": "Editar", "HeaderCustomDlnaProfiles": "Perfis Personalizados", - "TabMusic": "M\u00fasica", - "LabelVersion": "Vers\u00e3o:", - "ButtonRecord": "Gravar", "HeaderSystemDlnaProfiles": "Perfis de Sistema", - "TabOthers": "Outros", - "LabelLastResult": "\u00daltimo resultado:", - "ButtonDelete": "Remover", "CustomDlnaProfilesHelp": "Crie um perfil personalizado para um novo dispositivo ou para sobrepor um perfil de sistema.", - "HeaderExtractChapterImagesFor": "Extrair imagens de cap\u00edtulos para:", - "OptionRecordSeries": "Gravar S\u00e9rie", "SystemDlnaProfilesHelp": "Perfis de sistema s\u00e3o apenas de leitura. Mudan\u00e7as a um perfil de sistema ser\u00e3o guardadas num novo perfil personalizado.", - "OptionMovies": "Filmes", - "HeaderDetails": "Detalhes", "TitleDashboard": "Painel Principal", - "OptionEpisodes": "Epis\u00f3dios", "TabHome": "In\u00edcio", - "OptionOtherVideos": "Outros V\u00eddeos", "TabInfo": "Info", - "TitleMetadata": "Metadados", "HeaderLinks": "Hiperliga\u00e7\u00f5es", "HeaderSystemPaths": "Localiza\u00e7\u00f5es de Sistema", - "LabelAutomaticUpdatesTmdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas do TheMovieDB.org", "LinkCommunity": "Comunidade", - "LabelAutomaticUpdatesTvdb": "Ativar atualiza\u00e7\u00f5es autom\u00e1ticas do TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao fanart.tv. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", + "LinkApi": "Api", "LinkApiDocumentation": "Documenta\u00e7\u00e3o da API", - "LabelAutomaticUpdatesTmdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao TheMovieDB.org. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:", - "LabelAutomaticUpdatesTvdbHelp": "Se ativado, novas imagens ser\u00e3o automaticamente transferidas ao serem adicionadas ao TheTVDB.com. As imagens existentes n\u00e3o ser\u00e3o substitu\u00eddas.", - "OptionFolderSort": "Pastas", "LabelFriendlyServerNameHelp": "Ser\u00e1 usado este nome para identificar o servidor. Se n\u00e3o for preenchido, ser\u00e1 usado o nome do computador.", - "LabelConfigureServer": "Configurar o Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Imagem de fundo", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "TV ao Vivo", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Scroll autom\u00e1tico", - "LabelNumberOfGuideDays": "N\u00famero de dias de informa\u00e7\u00e3o do guia para transferir:", "LabelReadHowYouCanContribute": "Leia sobre como pode contribuir.", + "HeaderNewCollection": "Nova Cole\u00e7\u00e3o", + "ButtonSubmit": "Submit", + "ButtonCreate": "Criar", + "LabelCustomCss": "CSS personalizado:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "Endere\u00e7o WAN Externo:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:", + "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios", + "HeaderSupportTheTeam": "Suporte a Equipa do Emby", + "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": "A organiza\u00e7\u00e3o autom\u00e1tica 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 esta op\u00e7\u00e3o para manter a pasta de transfer\u00eancias 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", + "HeaderHelpImproveProject": "Ajude a Melhorar o Emby", + "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o", + "HeaderActiveDevices": "Dispositivos Ativos", + "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes", + "HeaderServerInformation": "Informa\u00e7\u00e3o do Servidor", "ButtonRestartNow": "Reiniciar Agora", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o", "ButtonRestart": "Reiniciar", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da extens\u00e3o", "ButtonShutdown": "Encerrar", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Extens\u00e3o instalada", "ButtonUpdateNow": "Atualizar Agora", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Extens\u00e3o desinstalada", + "TabHosting": "Hosting", "PleaseUpdateManually": "Por favor encerre o servidor e atualize manualmente.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Falha na tarefa agendada", "NewServerVersionAvailable": "Uma nova vers\u00e3o do Servidor Emby est\u00e1 dispon\u00edvel!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o", "ServerUpToDate": "O Servidor Emby est\u00e1 atualizado", + "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": "Transferir Chave", + "LabelOldSupporterKey": "Chave de apoiante antiga", + "LabelNewSupporterKey": "Nova chave de apoiante", + "HeaderMultipleKeyLinking": "Transferir para Nova Chave", + "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", + "MessageInvalidKey": "Chave de apoiante ausente ou inv\u00e1lida", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", + "HeaderDisplaySettings": "Apresentar Configura\u00e7\u00f5es", + "TabPlayTo": "Play To", + "LabelEnableDlnaServer": "Ativar servidor DLNA", + "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "Por padr\u00e3o, as notifica\u00e7\u00f5es s\u00e3o mostradas na caixa de entrada do painel principal. Explore o cat\u00e1logo das extens\u00f5es para instalar op\u00e7\u00f5es de notifica\u00e7\u00e3o adicionais.", + "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", - "LabelComponentsUpdated": "Os componentes seguintes foram instalados ou atualizados:", + "CategoryApplication": "Aplica\u00e7\u00e3o", + "CategoryPlugin": "Extens\u00e3o", "LabelMessageTitle": "Titulo da mensagem:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie o servidor para terminar a aplica\u00e7\u00e3o das atualiza\u00e7\u00f5es.", "LabelAvailableTokens": "Tokens dispon\u00edveis:", + "AdditionalNotificationServices": "Explore o cat\u00e1logo de extens\u00f5es para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.", + "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independentemente do idioma do \u00e1udio.", "HeaderResponseProfile": "Response Profile", "LabelType": "Tipo:", - "HeaderHelpImproveProject": "Ajude a Melhorar o Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Contentor:", "LabelProfileVideoCodecs": "Codecs do v\u00eddeo:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Codecs do \u00e1udio:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Ordenar", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Torne-se um Apoiante do Emby", - "OptionNone": "None", - "TabFilter": "Filtro", - "HeaderLiveTv": "Live TV", - "ButtonView": "Visualizar", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "Visualizar:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "V\u00eddeo", - "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada", "OptionProfileAudio": "\u00c1udio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "\u00c1udio do V\u00eddeo", - "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada", - "ButtonVolumeUp": "Aumentar volume", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada", - "ButtonVolumeDown": "Diminuir volume", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Cima", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Baixo", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Esquerda", "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples", - "LabelAppName": "App name", - "ButtonArrowRight": "Direita", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Voltar", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Informa\u00e7\u00e3o", "LabelSupportedMediaTypes": "Tipos de Conte\u00fados Suportados:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identifica\u00e7\u00e3o", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta", - "PageAbbreviation": "PG", "TabContainers": "Contentores", - "ButtonHome": "In\u00edcio", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Respostas", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "A reproduzir agora", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navega\u00e7\u00e3o", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Apresentar Configura\u00e7\u00f5es", - "ButtonAudioTracks": "Faixas de \u00e1udio", "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Ativar servidor DLNA", - "HeaderAdvanced": "Avan\u00e7ado", "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Propagar mensagens de reconhecimento", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Ativar isto se o servidor n\u00e3o \u00e9 detetado convenientemente por outros dispositivos UPnP na sua rede.", - "CategoryApplication": "Aplica\u00e7\u00e3o", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Intervalo das mensagens de reconhecimento (segundos)", - "CategoryPlugin": "Extens\u00e3o", "LabelMaxBitrate": "Taxa de bits m\u00e1xima:", - "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.", - "NotificationOptionPluginError": "Falha na extens\u00e3o", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Utilizador padr\u00e3o:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Informa\u00e7\u00e3o do Servidor", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Nome amig\u00e1vel", "LabelManufacturer": "Fabricante", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "URL do fabricante", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Nome do modelo", - "ViewTypeGames": "Games", "LabelModelNumber": "N\u00famero do modelo", - "ViewTypeMusic": "Music", "LabelModelDescription": "Descri\u00e7\u00e3o do modelo", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "URL do modelo", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "N\u00famero de s\u00e9rie", "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Digite, pelo menos, um crit\u00e9rio de identifica\u00e7\u00e3o.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Reproduzido Recentemente", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:", - "LabelValue": "Valor:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", - "HeaderDownloadChaptersFor": "Download chapter names for:", - "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Iguais", - "ViewTypeTvLatest": "\u00daltimas", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", "LabelTranscodingContainer": "Contentor:", - "OptionRegex": "Regex", "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:", - "OptionSubstring": "Substring", - "ViewTypeTvGenres": "Genres", "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:", - "TabServices": "Services", "LabelTranscodingAudioCodec": "Codec do \u00c1udio:", - "ViewTypeMovieResume": "Resume", - "TabLogs": "Logs", "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Legendas", + "TabChapters": "Chapters", + "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Nome de utilizador do Open Subtitles:", + "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "TV ao Vivo", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Torne-se um Apoiante do Emby", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", + "ViewTypeMusicArtists": "Artists", + "ViewTypeBoxSets": "Collections", + "ViewTypeChannels": "Channels", + "ViewTypeLiveTV": "TV ao Vivo", + "ViewTypeLiveTvNowPlaying": "Now Airing", + "ViewTypeLatestGames": "Latest Games", + "ViewTypeRecentlyPlayedGames": "Reproduzido Recentemente", + "ViewTypeGameFavorites": "Favorites", + "ViewTypeGameSystems": "Game Systems", + "ViewTypeGameGenres": "Genres", + "ViewTypeTvResume": "Resume", + "ViewTypeTvNextUp": "Next Up", + "ViewTypeTvLatest": "\u00daltimas", + "ViewTypeTvShowSeries": "Series", + "ViewTypeTvGenres": "Genres", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", "ViewTypeMovieLatest": "\u00daltimas", - "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", "ViewTypeMovieMovies": "Movies", - "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado ao transcodificar", - "HeaderPassword": "Password", "ViewTypeMovieCollections": "Collections", - "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", "ViewTypeMovieFavorites": "Favorites", - "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", "ViewTypeMovieGenres": "Genres", - "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", "ViewTypeMusicLatest": "\u00daltimas", - "LabelAutomaticallyDonate": "Automatically donate this amount every month", + "ViewTypeMusicPlaylists": "Playlists", "ViewTypeMusicAlbums": "Albums", - "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Escala do aumento de \u00e1udio ao fazer downmix:", - "ButtonSync": "Sincronizar", - "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o independentemente do idioma", - "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio ao fazer downmix. Defina como 1 para preservar o volume original.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Cap\u00edtulos", - "LabelSubtitlePlaybackMode": "Modo da Legenda:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transferir Chave", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Chave de apoiante antiga", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "Nova chave de apoiante", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transferir para Nova Chave", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", - "MessageInvalidKey": "Chave de apoiante ausente ou inv\u00e1lida", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "Todos os utilizadores", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administradores", + "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", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Personalizado", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionLibraryFolders": "Pastas multim\u00e9dia", + "TitleRemoteControl": "Remote Control", + "OptionLatestTvRecordings": "Latest recordings", + "LabelProtocolInfo": "Protocol info:", + "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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 Emby 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": "Painel Principal", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "\u00daltimas M\u00fasicas", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Transferir legendas para:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Dispositivo", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Legendas", - "LabelOpenSubtitlesUsername": "Nome de utilizador do Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Registar", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Pastas multim\u00e9dia", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "HeaderHttpHeaders": "Http Headers", + "HeaderIdentificationHeader": "Identification Header", + "LabelValue": "Valor:", + "LabelMatchType": "Match type:", + "OptionEquals": "Iguais", + "OptionRegex": "Regex", + "OptionSubstring": "Substring", + "TabView": "View", + "TabSort": "Ordenar", + "TabFilter": "Filtro", + "ButtonView": "Visualizar", + "LabelPageSize": "Item limit:", + "LabelPath": "Path:", + "LabelView": "Visualizar:", + "TabUsers": "Utilizadores", + "LabelSortName": "Sort name:", + "LabelDateAdded": "Date added:", + "HeaderFeatures": "Features", + "HeaderAdvanced": "Avan\u00e7ado", + "ButtonSync": "Sincronizar", + "TabScheduledTasks": "Tarefas Agendadas", + "HeaderChapters": "Cap\u00edtulos", + "HeaderResumeSettings": "Resume Settings", + "TabSync": "Sincroniza\u00e7\u00e3o", + "TitleUsers": "Utilizadores", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Necessita a inser\u00e7\u00e3o manual de um nome de utilizador para:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de utilizadores.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Outras apps", - "TabScheduledTasks": "Tarefas Agendadas", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Apps m\u00f3veis", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} foi instalado", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} foi atualizado", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} foi desinstalado", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Cenas", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Legendas", - "ItemAddedWithName": "{0} foi adicionado \u00e0 biblioteca", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} foi removido da biblioteca", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} est\u00e1 conectado", "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", + "HeaderActivity": "Activity", + "ScheduledTaskStartedWithName": "{0} started", + "ScheduledTaskCancelledWithName": "{0} was cancelled", + "ScheduledTaskCompletedWithName": "{0} completed", + "ScheduledTaskFailed": "Scheduled task completed", + "PluginInstalledWithName": "{0} foi instalado", + "PluginUpdatedWithName": "{0} foi atualizado", + "PluginUninstalledWithName": "{0} foi desinstalado", + "ScheduledTaskFailedWithName": "{0} failed", + "ItemAddedWithName": "{0} foi adicionado \u00e0 biblioteca", + "ItemRemovedWithName": "{0} foi removido da biblioteca", + "DeviceOnlineWithName": "{0} est\u00e1 conectado", "UserOnlineFromDevice": "{0} is online from {1}", - "ButtonStop": "Parar", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pausar", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Painel Principal", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Enviar mensagem", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Enviar", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Texto da mensagem:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Op\u00e7\u00f5es do Servidor", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Explore o cat\u00e1logo de extens\u00f5es para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "ProviderValue": "Provider: {0}", + "LabelChannelDownloadSizeLimit": "Download size limit (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", + "HeaderRecentActivity": "Atividade Recente", + "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sincroniza\u00e7\u00e3o", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "Por padr\u00e3o, as notifica\u00e7\u00f5es s\u00e3o mostradas na caixa de entrada do painel principal. Explore o cat\u00e1logo das extens\u00f5es para instalar op\u00e7\u00f5es de notifica\u00e7\u00e3o adicionais.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Procurar", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Padr\u00e3o do ficheiro de epis\u00f3dio", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Padr\u00e3o dos epis\u00f3dios:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Padr\u00f5es Suportados", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Termo", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Padr\u00e3o", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Resultado", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o", - "LabelDeleteEmptyFolders": "Remover pastas vazias depois de organizar", - "HeaderRecentActivity": "Atividade Recente", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Ative isto para manter a pasta de downloads limpa.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Apagar os ficheiros deixados com as seguintes extens\u00f5es:", - "MessageNoAvailablePlugins": "Sem extens\u00f5es dispon\u00edveis.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada", - "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt", - "LabelDisplayPluginsFor": "Exibir extens\u00f5es para:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada", - "OptionOverwriteExistingEpisodes": "Sobrepor epis\u00f3dios existentes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada", - "LabelTransferMethod": "M\u00e9todo da transfer\u00eancia", "LabelPlayers": "Players:", - "OptionCopy": "Copiar", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "Adicionado novo conte\u00fado", - "OptionMove": "Mover", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "\u00c9 necess\u00e1rio reiniciar o servidor", - "LabelTransferMethodHelp": "Copiar ou mover ficheiros da pasta observada", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "\u00daltimas Not\u00edcias", - "ValueSeriesNamePeriod": "Nome.da.s\u00e9rie", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:", - "ValueSeriesNameUnderscore": "Nome_da_s\u00e9rie", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Nome.do.epis\u00f3dio", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Dispositivos Ativos", - "ValueEpisodeNameUnderscore": "Nome_do_epis\u00f3dio", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes", - "HeaderTypeText": "Inserir texto", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:", - "LabelTypeText": "Texto", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Dispon\u00edvel atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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": "Conta de Apoiante vital\u00edcia", + "OptionYearlySupporterMembership": "Conta de Apoiante anual", + "OptionMonthlySupporterMembership": "Conta de Apoiante mensal", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Saiba mais sobre o Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Dispositivos", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "A informa\u00e7\u00e3o do perfil do utilizador foi sincronizada com o Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Dispositivos", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Permitir Sincroniza\u00e7\u00e3o", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "\u00daltimos Itens", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Os utilizadores poder\u00e3o desativar o modo cinema nas suas prefer\u00eancias.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Ativar modo cinema", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Modo Cinema", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Conta de Apoiante vital\u00edcia", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Conta de Apoiante anual", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Conta de Apoiante mensal", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "HeaderInstall": "Install", "LabelSelectVersionToInstall": "Select version to install:", "LinkSupporterMembership": "Saiba mais sobre a conta de Apoiante", "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", - "LabelTagFilterMode": "Mode:", - "HeaderDeveloperInfo": "Info do Programador", + "HeaderDeveloperInfo": "Informa\u00e7\u00e3o do Programador", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Caminho do conte\u00fado sincronizado:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "As senhas do utilizador s\u00e3o geridas dentro das prefer\u00eancias do seu perfil pessoal.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sincronizar", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Saiba mais sobre o Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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": "Reprodu\u00e7\u00e3o", "HeaderLanguagePreferences": "Language Preferences", "TabCinemaMode": "Modo Cinema", "TitlePlayback": "Reprodu\u00e7\u00e3o", "LabelEnableCinemaModeFor": "Ativar modo cinema para:", "CinemaModeConfigurationHelp": "O modo cinema traz a experi\u00eancia do cinema para a sua sala, possibilitando reproduzir trailers e introdu\u00e7\u00f5es personalizadas antes da longa-metragem.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Trailers da Internet:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Reprodu\u00e7\u00e3o", - "OptionAllowSyncTranscoding": "Permitir sincroniza\u00e7\u00e3o que necessite de transcodifica\u00e7\u00e3o", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Tarefas de Sincroniza\u00e7\u00e3o", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Trailers da Internet:", + "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": "Os utilizadores poder\u00e3o desativar o modo cinema nas suas prefer\u00eancias.", + "LabelEnableCinemaMode": "Ativar modo cinema", + "HeaderCinemaMode": "Modo Cinema", + "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": "Dispositivos", + "TabCameraUpload": "Camera Upload", + "TabDevices": "Dispositivos", + "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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": "A informa\u00e7\u00e3o do perfil do utilizador foi sincronizada com o Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 accept it below or by clicking the link in the email.", + "TitleNewUser": "New User", + "ButtonConfigurePassword": "Configure Password", + "HeaderDashboardUserPassword": "As senhas do utilizador s\u00e3o geridas dentro das prefer\u00eancias do seu perfil pessoal.", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderLatestItems": "\u00daltimos Itens", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sincronizar", + "OptionAllowSyncContent": "Permitir Sincroniza\u00e7\u00e3o", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Tarefas de Sincroniza\u00e7\u00e3o", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Permitir sincroniza\u00e7\u00e3o que necessite de transcodifica\u00e7\u00e3o", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Caminho do conte\u00fado sincronizado:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ro.json b/MediaBrowser.Server.Implementations/Localization/Server/ro.json index c5dd753757..b1ae764ff0 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ro.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ro.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Bine a\u021bi venit la Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Legat la Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Vizita\u021bi site-ul Web Emby", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Sterge Imaginea", - "VisitProjectWebsiteLong": "Vizita\u021bi site-ul Web Emby pentru a prinde cele mai recente \u0219tiri \u0219i a \u021bine pasul cu blog-ul dezvoltator.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Incarca", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Incarca o imagine noua", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Ascunde continutul vizualizat din Noutati Media", - "LabelDropImageHere": "Trage imaginea aici", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "Ratie Aspect Recomandat 1:1.Doar fisiere JPG\/PNG.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nimic aici.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Recomandari", - "MessagePleaseEnsureInternetMetadata": "Va rugam sa va asigurati ca descarcarea metadatelor dupa internet este activata.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Sugerat", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Cele mai noi", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Urmeaza sa apara", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Seriale", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episoade", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genuri", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Oameni", - "ButtonAdd": "Add", - "TabNetworks": "Retele TV", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Ajutor", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invita Utilizator", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sincronizeaza", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Inregistreaza-te cu PayPal", - "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", + "LabelExit": "Iesire", + "LabelVisitCommunity": "Viziteaza comunitatea", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "F\u0103le\u0219te-te", + "LabelStandard": "Standard", "LabelApiDocumentation": "Documentatie Api", - "Option2Player": "2+", "LabelDeveloperResources": "Resurse Dezvoltator", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Rasfoieste Librarie", + "LabelConfigureServer": "Configureaza Emby", + "LabelOpenLibraryViewer": "Deschide Vizualizatorul Librariei", + "LabelRestartServer": "Restarteaza Server", + "LabelShowLogWindow": "Arata Fereastra de Log", + "LabelPrevious": "Anteriorul", + "LabelFinish": "Termina", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Urmatorul", + "LabelYoureDone": "Esti Gata!", + "WelcomeToProject": "Bine a\u021bi venit la Emby!", + "ThisWizardWillGuideYou": "Acest asistent v\u0103 va ajuta s\u0103 va ghidati prin procesul de configurare. Pentru a \u00eencepe, v\u0103 rug\u0103m s\u0103 selecta\u021bi limba preferat\u0103.", + "TellUsAboutYourself": "Spune-ne despre tine", + "ButtonQuickStartGuide": "Ghid rapid de Start", + "LabelYourFirstName": "Numele tau:", + "MoreUsersCanBeAddedLater": "Mai mul\u021bi utilizatori pot fi ad\u0103ugati mai t\u00e2rziu \u00een Tabloul de Bord.", + "UserProfilesIntro": "Emby include sprijin pentru profile de utilizator, permi\u021b\u00e2nd fiec\u0103rui utilizator s\u0103 isi faca set\u0103rile de afi\u0219are proprii, playstate \u0219i control parental.", + "LabelWindowsService": "Serviciul Windows", + "AWindowsServiceHasBeenInstalled": "Un Serviciu Windows a fost intalat.", + "WindowsServiceIntro1": "Emby Server ruleaza in mod normal ca o aplicatie desktop cu o pictograma in bara de activitati, dar dac\u0103 prefera\u021bi s\u0103-l rulati ca un serviciu de fundal, acesta poate fi pornit de la windows services control panel.", + "WindowsServiceIntro2": "Dac\u0103 folosi\u021bi serviciul Windows, v\u0103 rug\u0103m s\u0103 re\u021bine\u021bi c\u0103 nu se poate rula \u00een acela\u0219i timp cu pictograma din bara de activitati, astfel \u00eenc\u00e2t ve\u021bi fi nevoit sa ie\u0219iti din bara de activitati pentru a executa serviciul. Serviciul va trebui, de asemenea, s\u0103 fie configurat cu privilegii administrative prin panoul de control. V\u0103 rug\u0103m s\u0103 re\u021bine\u021bi c\u0103 \u00een acest moment serviciul este \u00een imposibilitatea de auto-actualizare, astfel \u00eenc\u00e2t noile versiuni necesit\u0103 interac\u021biune manual\u0103.", + "WizardCompleted": "Asta e tot ce avem nevoie pentru moment. Emby a \u00eenceput colectarea de informa\u021bii despre biblioteca media. Verifica unele din aplica\u021biile noastre, \u0219i apoi face\u021bi clic pe Finalizare<\/b> pentru a vizualiza Tabloul de bord al Serverului <\/b>.", + "LabelConfigureSettings": "Configureaza setari", + "LabelEnableVideoImageExtraction": "Activeaza extractia de imagini video", + "VideoImageExtractionHelp": "Videoclipurile care nu au deja imagini, \u0219i pe care nu le putem g\u0103si pe Internet . Aceasta va ad\u0103uga ceva timp suplimentar pentru scanarea ini\u021bial\u0103 a bibliotecii, dar va conduce la o prezentare mai pl\u0103cuta.", + "LabelEnableChapterImageExtractionForMovies": "Extrage imagini de capitol pentru Filme", + "LabelChapterImageExtractionForMoviesHelp": "Extragerea imaginilor de capitol va permite clien\u021bilor s\u0103 afi\u0219eze scene grafice la selectarea meniurilor. Procesul poate fi lent, intensiv-CPU \u0219i poate necesita mai multi gigabiti de spa\u021biu. Se ruleaza ca o sarcin\u0103 programat\u0103 de noapte, de\u0219i acest lucru este configurabil \u00een zona sarcinilor programate. Nu este recomandat s\u0103 rula\u021bi acest task \u00een timpul orelor de v\u00e2rf de utilizare.", + "LabelEnableAutomaticPortMapping": "Activeaza maparea automata a porturilor", + "LabelEnableAutomaticPortMappingHelp": "UPnP permite configurarea router-ului automat pentru acces u\u0219or la distan\u021b\u0103. Acest lucru nu poate lucra cu unele modele de router.", + "HeaderTermsOfService": "Termeni de Utilizare Emby", + "MessagePleaseAcceptTermsOfService": "V\u0103 rug\u0103m s\u0103 accepta\u021bi termenii de utilizare si Politica de confiden\u021bialitate \u00eenainte de a continua.", + "OptionIAcceptTermsOfService": "Accept termenii de utilizare", + "ButtonPrivacyPolicy": "Politica de confiden\u021bialitate", + "ButtonTermsOfService": "Conditii de Utilizare", "HeaderDeveloperOptions": "Obtiuni Dezvoltator", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Activa\u021bi r\u0103spunsul cache client web", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Cale fisier temporara", "OptionDisableForDevelopmentHelp": "Configura\u021bi acestea cum este necesar \u00een scopuri de dezvoltare client web.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specifica\u021bi un dosar de sincronizare personalizat de lucru. Media convertite create \u00een timpul procesului de sincronizare vor fi stocate aici.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Activa\u021bi minimizare a resurselor clientului web", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Calea catre certificatul personalizat:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Calea sursa a clientului Web:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Furnizati propriul certificat ssl in format .pfx. Daca este omis, serverul ca creea un certificat semnat propriu.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "Dac\u0103 ruleaz\u0103 serverul de la surs\u0103, specifica\u021bi calea c\u0103tre directorul tabloul de bord. Toate fi\u0219ierele clientului web va fi servit de la aceast\u0103 loca\u021bie.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Converteste media", + "ButtonOrganize": "Organizeaza", + "LinkedToEmbyConnect": "Legat la Emby Connect", + "HeaderSupporterBenefits": "Beneficii Suporter", + "HeaderAddUser": "Adauga User", + "LabelAddConnectSupporterHelp": "Pentru a ad\u0103uga un utilizator care nu este listat, va trebui s\u0103 legati \u00eent\u00e2i contul lor la Emby Connect de la pagina lor de profil de utilizator.", + "LabelPinCode": "Codul Pin:", + "OptionHideWatchedContentFromLatestMedia": "Ascunde continutul vizualizat din Noutati Media", + "HeaderSync": "Sincronizeaza", + "ButtonOk": "Ok", + "ButtonCancel": "Anuleaza", + "ButtonExit": "Iesire", + "ButtonNew": "Nou", + "HeaderTV": "Seriale TV", + "HeaderAudio": "Muzica", + "HeaderVideo": "Filme", "HeaderPaths": "Cai", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sincronizeaza", + "TabPlaylist": "Lista de redare", + "HeaderEasyPinCode": "Cod Pin Usor", + "HeaderGrownupsOnly": "Doar Adultii!", + "DividerOr": "--sau--", + "HeaderInstalledServices": "Servicii Instalate", + "HeaderAvailableServices": "Servicii Disponibile", + "MessageNoServicesInstalled": "Niciun Serviciu nu este instalat", + "HeaderToAccessPleaseEnterEasyPinCode": "Pentru a accesa, introduceti va rog codul pin usor", + "KidsModeAdultInstruction": "Apasa pe iconita de blocare din partea dreapta jos pentru a configura sau lasati modul Copii. Pinul Dvs. va fi necesar.", + "ButtonConfigurePinCode": "Configureaza codul pin", + "HeaderAdultsReadHere": "Adultii Cititi Aici!", + "RegisterWithPayPal": "Inregistreaza-te cu PayPal", + "HeaderSyncRequiresSupporterMembership": "Sincronizarea necesita a fi Membru Cotizant", + "HeaderEnjoyDayTrial": "Bucurati-va de 14 zile de Incercare Gratuita", + "LabelSyncTempPath": "Cale fisier temporara", + "LabelSyncTempPathHelp": "Specifica\u021bi un dosar de sincronizare personalizat de lucru. Media convertite create \u00een timpul procesului de sincronizare vor fi stocate aici.", + "LabelCustomCertificatePath": "Calea catre certificatul personalizat:", + "LabelCustomCertificatePathHelp": "Furnizati propriul certificat ssl in format .pfx. Daca este omis, serverul ca creea un certificat semnat propriu.", "TitleNotifications": "Notificari", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Doneaza cu PayPal", + "OptionDetectArchiveFilesAsMedia": "Detecteza fisierele arhiva ca media", + "OptionDetectArchiveFilesAsMediaHelp": "Dac\u0103 este activat\u0103, fi\u0219ierele cu extensiile .rar \u0219i .zip vor fi detectate ca fi\u0219iere media.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Activati afisarea imbunatatita a filmelor", + "LabelEnableEnhancedMoviesHelp": "C\u00e2nd este activat, filmele vor fi afi\u0219ate ca dosare pentru a include trailere, figuranti, distributie si echipa, si alte tipuri de con\u021binut.", + "HeaderSyncJobInfo": "Activitate de sincronizare", + "FolderTypeMovies": "Filme", + "FolderTypeMusic": "Muzica", + "FolderTypeAdultVideos": "Filme Porno", + "FolderTypePhotos": "Fotografii", + "FolderTypeMusicVideos": "Videoclipuri", + "FolderTypeHomeVideos": "Video Personale", + "FolderTypeGames": "Jocuri", + "FolderTypeBooks": "Carti", + "FolderTypeTvShows": "Seriale TV", "FolderTypeInherit": "Relationat", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Tip continut:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Sarcini Programate", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notificari", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setari libraria media", + "ButtonAddMediaFolder": "Adaugati dosar media", + "LabelFolderType": "Tip dosar:", + "ReferToMediaLibraryWiki": "Consultati biblioteca media wiki.", + "LabelCountry": "Tara:", + "LabelLanguage": "Limba:", + "LabelTimeLimitHours": "Limita de timp(ore):", + "ButtonJoinTheDevelopmentTeam": "Inscrie-te in Echipa de Dezvoltare", + "HeaderPreferredMetadataLanguage": "Limba preferata a metadatelor.", + "LabelSaveLocalMetadata": "Salveaza posterele si metadatele in dosarele media", + "LabelSaveLocalMetadataHelp": "Salvand posterele si metadatele direct in dosarele media vor fi puse intr-un loc in care pot fi usor editate.", + "LabelDownloadInternetMetadata": "Descarca postere si metadatele dupa Internet", + "LabelDownloadInternetMetadataHelp": "Serverul Emby poate descarca informatii despre continutul Dvs. media pentru a activa prezentari imbogatite.", + "TabPreferences": "Preferinte", + "TabPassword": "Parola", + "TabLibraryAccess": "Acces Librarie", + "TabAccess": "Acces", + "TabImage": "Imagine", + "TabProfile": "Profil", + "TabMetadata": "Metadate", + "TabImages": "Imagini", + "TabNotifications": "Notificari", + "TabCollectionTitles": "Titluri", + "HeaderDeviceAccess": "Accesul Dispozitivelor", + "OptionEnableAccessFromAllDevices": "Activeaza accesul dupa toate Dispozitivele", + "OptionEnableAccessToAllChannels": "Activeaza accesul la toate Canalele", + "OptionEnableAccessToAllLibraries": "Activeaza accesul la toate librariile", + "DeviceAccessHelp": "Aceasta se aplic\u0103 numai pentru dispozitive care pot fi identificate \u00een mod unic \u0219i nu va \u00eempiedica accesul browser. Filtrand accesul dispozitivelor utilizatorului va \u00eempiedica utilizarea noilor dispozitive p\u00e2n\u0103 c\u00e2nd nu au fost aprobate aici.", + "LabelDisplayMissingEpisodesWithinSeasons": "Afiseaza episoadele lipsa din sezoane", + "LabelUnairedMissingEpisodesWithinSeasons": "Afiseaza episoadele nedifuzate din sezoane", + "HeaderVideoPlaybackSettings": "Setari Playback Video", + "HeaderPlaybackSettings": "Setari Playback", + "LabelAudioLanguagePreference": "Preferinte limba audio:", + "LabelSubtitleLanguagePreference": "Preferinte limba subtitrare:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Utilizatori", "OptionOnlyForcedSubtitles": "Doar subtitrari fortate", - "HeaderFilters": "Filtre:", "OptionAlwaysPlaySubtitles": "Ruleaza intotdeauna subtitrari", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filtreaza", + "OptionNoSubtitles": "Fara Subtitrare", "OptionDefaultSubtitlesHelp": "Subtitrarile care se potrivesc cu preferintele limbii vor fi incarcate cand pista audio este intr-o limba straina.", - "OptionFavorite": "Favorite", "OptionOnlyForcedSubtitlesHelp": "Doar subtitrarile marcate ca fortat vor fi incarcate.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Like-uri", "OptionAlwaysPlaySubtitlesHelp": "Subtitrarile care se potrivesc cu preferintele limbii vor fi incarcate indiferent de limba pistei audio.", - "OptionDislikes": "Dislike-uri", "OptionNoSubtitlesHelp": "Subtitrarile nuvor fi incarcate default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profile", + "TabSecurity": "Securitate", + "ButtonAddUser": "Adauga Utilizator", + "ButtonAddLocalUser": "Adauga Utilizator Local", + "ButtonInviteUser": "Invita Utilizator", + "ButtonSave": "Salveaza", + "ButtonResetPassword": "Reseteaza parola", + "LabelNewPassword": "Parola noua:", + "LabelNewPasswordConfirm": "Confirma parola noua:", + "HeaderCreatePassword": "Creeaza parola", + "LabelCurrentPassword": "Parola curenta:", + "LabelMaxParentalRating": "Rating parental maxim permis:", + "MaxParentalRatingHelp": "Continutul cu un rating mare va fi ascuns pentru acest utilizator.", + "LibraryAccessHelp": "Selecteaza dosarele media impartasite cu acest utilizator. Administratorii vor avea posibilitatea sa editeze toate dosarele utilizand managerul de metadate.", + "ChannelAccessHelp": "Selecteaza canalele pe care vrei sa le impartasesti cu acest utilizator. Administratorii vor avea posibilitatea sa editeze canalele folosind managerul de metadate.", + "ButtonDeleteImage": "Sterge Imaginea", + "LabelSelectUsers": "Selectare urilizatori:", + "ButtonUpload": "Incarca", + "HeaderUploadNewImage": "Incarca o imagine noua", + "LabelDropImageHere": "Trage imaginea aici", + "ImageUploadAspectRatioHelp": "Ratie Aspect Recomandat 1:1.Doar fisiere JPG\/PNG.", + "MessageNothingHere": "Nimic aici.", + "MessagePleaseEnsureInternetMetadata": "Va rugam sa va asigurati ca descarcarea metadatelor dupa internet este activata.", + "TabSuggested": "Sugerat", + "TabSuggestions": "Recomandari", + "TabLatest": "Cele mai noi", + "TabUpcoming": "Urmeaza sa apara", + "TabShows": "Seriale", + "TabEpisodes": "Episoade", + "TabGenres": "Genuri", + "TabPeople": "Oameni", + "TabNetworks": "Retele TV", + "HeaderUsers": "Utilizatori", + "HeaderFilters": "Filtre:", + "ButtonFilter": "Filtreaza", + "OptionFavorite": "Favorite", + "OptionLikes": "Like-uri", + "OptionDislikes": "Dislike-uri", "OptionActors": "Actori", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directori", - "TabCollections": "Collections", "OptionWriters": "Scriitori", - "TabFavorites": "Favorites", "OptionProducers": "Producatori", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Reluare", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Urmeaza", "NoNextUpItemsMessage": "Nu s-a gasit nimic. Incepe sa urmaresti seriale!", "HeaderLatestEpisodes": "Cele mai noi Episoade", @@ -219,42 +200,32 @@ "TabMusicVideos": "Videoclipuri", "ButtonSort": "Sorteaza", "HeaderSortBy": "Sorteaza dupa:", - "OptionEnableAccessToAllChannels": "Activeaza accesul la toate Canalele", "HeaderSortOrder": "Ordine Sortare:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Rulat", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Nerulat", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Crescator", "OptionDescending": "Descrescator", "OptionRuntime": "Timp Rulare", + "OptionReleaseDate": "Data Aparitie", "OptionPlayCount": "Contorizari rulari", "OptionDatePlayed": "Data Rulare", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Data Adaugare", - "HeaderTV": "Seriale TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Termeni de Utilizare Emby", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detecteza fisierele arhiva ca media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "V\u0103 rug\u0103m s\u0103 accepta\u021bi termenii de utilizare si Politica de confiden\u021bialitate \u00eenainte de a continua.", - "OptionDetectArchiveFilesAsMediaHelp": "Dac\u0103 este activat\u0103, fi\u0219ierele cu extensiile .rar \u0219i .zip vor fi detectate ca fi\u0219iere media.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Accept termenii de utilizare", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Nume melodie", - "ButtonPrivacyPolicy": "Politica de confiden\u021bialitate", - "LabelSelectUsers": "Selectare urilizatori:", "OptionCommunityRating": "Rating Comunitate", - "ButtonTermsOfService": "Conditii de Utilizare", "OptionNameSort": "Nume", + "OptionFolderSort": "Dosare", "OptionBudget": "Buget", - "OptionHideUserFromLoginHelp": "Util pentru conturi private sau ascunse de administrator. Utilizatorul va trebui s\u0103 v\u0103 conecta\u021bi manual prin introducerea numelui de utilizator \u0219i parola.", "OptionRevenue": "Incasari", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Baner", "OptionCriticRating": "Rating Critic", "OptionVideoBitrate": "Bitrate Video", "OptionResumable": "Care poate fi continuat", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Programul de Activitati", "TabMyPlugins": "Plugin-urile mele", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "Acest asistent v\u0103 va ajuta s\u0103 va ghidati prin procesul de configurare. Pentru a \u00eencepe, v\u0103 rug\u0103m s\u0103 selecta\u021bi limba preferat\u0103.", - "TellUsAboutYourself": "Spune-ne despre tine", + "TitlePlugins": "Plugin-uri", "HeaderAutomaticUpdates": "Update Automat", - "LabelYourFirstName": "Numele tau:", - "LabelPinCode": "Codul Pin:", - "MoreUsersCanBeAddedLater": "Mai mul\u021bi utilizatori pot fi ad\u0103ugati mai t\u00e2rziu \u00een Tabloul de Bord.", "HeaderNowPlaying": "Ruleaza Acum", - "UserProfilesIntro": "Emby include sprijin pentru profile de utilizator, permi\u021b\u00e2nd fiec\u0103rui utilizator s\u0103 isi faca set\u0103rile de afi\u0219are proprii, playstate \u0219i control parental.", "HeaderLatestAlbums": "Cele mai noi Albume", - "LabelWindowsService": "Serviciul Windows", "HeaderLatestSongs": "Cele mai noi Cantece", - "ButtonExit": "Iesire", - "ButtonConvertMedia": "Converteste media", - "AWindowsServiceHasBeenInstalled": "Un Serviciu Windows a fost intalat.", "HeaderRecentlyPlayed": "Rulate Recent", - "LabelTimeLimitHours": "Limita de timp(ore):", - "WindowsServiceIntro1": "Emby Server ruleaza in mod normal ca o aplicatie desktop cu o pictograma in bara de activitati, dar dac\u0103 prefera\u021bi s\u0103-l rulati ca un serviciu de fundal, acesta poate fi pornit de la windows services control panel.", "HeaderFrequentlyPlayed": "Rulate Frecvent", - "ButtonOrganize": "Organizeaza", - "WindowsServiceIntro2": "Dac\u0103 folosi\u021bi serviciul Windows, v\u0103 rug\u0103m s\u0103 re\u021bine\u021bi c\u0103 nu se poate rula \u00een acela\u0219i timp cu pictograma din bara de activitati, astfel \u00eenc\u00e2t ve\u021bi fi nevoit sa ie\u0219iti din bara de activitati pentru a executa serviciul. Serviciul va trebui, de asemenea, s\u0103 fie configurat cu privilegii administrative prin panoul de control. V\u0103 rug\u0103m s\u0103 re\u021bine\u021bi c\u0103 \u00een acest moment serviciul este \u00een imposibilitatea de auto-actualizare, astfel \u00eenc\u00e2t noile versiuni necesit\u0103 interac\u021biune manual\u0103.", "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.", - "HeaderGrownupsOnly": "Doar Adultii!", - "WizardCompleted": "Asta e tot ce avem nevoie pentru moment. Emby a \u00eenceput colectarea de informa\u021bii despre biblioteca media. Verifica unele din aplica\u021biile noastre, \u0219i apoi face\u021bi clic pe Finalizare<\/b> pentru a vizualiza Tabloul de bord al Serverului <\/b>.", - "ButtonJoinTheDevelopmentTeam": "Inscrie-te in Echipa de Dezvoltare", - "LabelConfigureSettings": "Configureaza setari", - "LabelEnableVideoImageExtraction": "Activeaza extractia de imagini video", - "DividerOr": "--sau--", - "OptionEnableAccessToAllLibraries": "Activeaza accesul la toate librariile", - "VideoImageExtractionHelp": "Videoclipurile care nu au deja imagini, \u0219i pe care nu le putem g\u0103si pe Internet . Aceasta va ad\u0103uga ceva timp suplimentar pentru scanarea ini\u021bial\u0103 a bibliotecii, dar va conduce la o prezentare mai pl\u0103cuta.", - "LabelEnableChapterImageExtractionForMovies": "Extrage imagini de capitol pentru Filme", - "HeaderInstalledServices": "Servicii Instalate", - "LabelChapterImageExtractionForMoviesHelp": "Extragerea imaginilor de capitol va permite clien\u021bilor s\u0103 afi\u0219eze scene grafice la selectarea meniurilor. Procesul poate fi lent, intensiv-CPU \u0219i poate necesita mai multi gigabiti de spa\u021biu. Se ruleaza ca o sarcin\u0103 programat\u0103 de noapte, de\u0219i acest lucru este configurabil \u00een zona sarcinilor programate. Nu este recomandat s\u0103 rula\u021bi acest task \u00een timpul orelor de v\u00e2rf de utilizare.", - "TitlePlugins": "Plugin-uri", - "HeaderToAccessPleaseEnterEasyPinCode": "Pentru a accesa, introduceti va rog codul pin usor", - "LabelEnableAutomaticPortMapping": "Activeaza maparea automata a porturilor", - "HeaderSupporterBenefits": "Beneficii Suporter", - "LabelEnableAutomaticPortMappingHelp": "UPnP permite configurarea router-ului automat pentru acces u\u0219or la distan\u021b\u0103. Acest lucru nu poate lucra cu unele modele de router.", - "HeaderAvailableServices": "Servicii Disponibile", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Apasa pe iconita de blocare din partea dreapta jos pentru a configura sau lasati modul Copii. Pinul Dvs. va fi necesar.", - "ButtonCancel": "Anuleaza", - "HeaderAddUser": "Adauga User", - "HeaderSetupLibrary": "Setari libraria media", - "MessageNoServicesInstalled": "Niciun Serviciu nu este instalat", - "ButtonAddMediaFolder": "Adaugati dosar media", - "ButtonConfigurePinCode": "Configureaza codul pin", - "LabelFolderType": "Tip dosar:", - "LabelAddConnectSupporterHelp": "Pentru a ad\u0103uga un utilizator care nu este listat, va trebui s\u0103 legati \u00eent\u00e2i contul lor la Emby Connect de la pagina lor de profil de utilizator.", - "ReferToMediaLibraryWiki": "Consultati biblioteca media wiki.", - "HeaderAdultsReadHere": "Adultii Cititi Aici!", - "LabelCountry": "Tara:", - "LabelLanguage": "Limba:", - "HeaderPreferredMetadataLanguage": "Limba preferata a metadatelor.", - "LabelEnableEnhancedMovies": "Activati afisarea imbunatatita a filmelor", - "LabelSaveLocalMetadata": "Salveaza posterele si metadatele in dosarele media", - "LabelSaveLocalMetadataHelp": "Salvand posterele si metadatele direct in dosarele media vor fi puse intr-un loc in care pot fi usor editate.", - "LabelDownloadInternetMetadata": "Descarca postere si metadatele dupa Internet", - "LabelEnableEnhancedMoviesHelp": "C\u00e2nd este activat, filmele vor fi afi\u0219ate ca dosare pentru a include trailere, figuranti, distributie si echipa, si alte tipuri de con\u021binut.", - "HeaderDeviceAccess": "Accesul Dispozitivelor", - "LabelDownloadInternetMetadataHelp": "Serverul Emby poate descarca informatii despre continutul Dvs. media pentru a activa prezentari imbogatite.", - "OptionThumb": "Thumb", - "LabelExit": "Iesire", - "OptionBanner": "Baner", - "LabelVisitCommunity": "Viziteaza comunitatea", "LabelVideoType": "Tipul Video:", "OptionBluray": "Bluray", - "LabelSwagger": "F\u0103le\u0219te-te", "OptionDvd": "DVD", - "LabelStandard": "Standard", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Activeaza accesul dupa toate Dispozitivele", - "LabelBrowseLibrary": "Rasfoieste Librarie", "LabelFeatures": "Caracteristici:", - "DeviceAccessHelp": "Aceasta se aplic\u0103 numai pentru dispozitive care pot fi identificate \u00een mod unic \u0219i nu va \u00eempiedica accesul browser. Filtrand accesul dispozitivelor utilizatorului va \u00eempiedica utilizarea noilor dispozitive p\u00e2n\u0103 c\u00e2nd nu au fost aprobate aici.", - "ChannelAccessHelp": "Selecteaza canalele pe care vrei sa le impartasesti cu acest utilizator. Administratorii vor avea posibilitatea sa editeze canalele folosind managerul de metadate.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Versiune:", + "LabelLastResult": "Ultimul rezultat:", "OptionHasSubtitles": "Subtitrari", - "LabelOpenLibraryViewer": "Deschide Vizualizatorul Librariei", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restarteaza Server", "OptionHasThemeSong": "Cantec Fundal", - "LabelShowLogWindow": "Arata Fereastra de Log", "OptionHasThemeVideo": "Video Fundal", - "LabelPrevious": "Anteriorul", "TabMovies": "Filme", - "LabelFinish": "Termina", "TabStudios": "Studiouri", - "FolderTypeMixed": "Continut mixt", - "LabelNext": "Urmatorul", "TabTrailers": "Trailere", - "FolderTypeMovies": "Filme", - "LabelYoureDone": "Esti Gata!", + "LabelArtists": "Artisti:", + "LabelArtistsHelp": "Folosire separata multipla", "HeaderLatestMovies": "Cele mai noi Filme", - "FolderTypeMusic": "Muzica", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sincronizarea necesita a fi Membru Cotizant", "HeaderLatestTrailers": "Cele mai noi Trailere", - "FolderTypeAdultVideos": "Filme Porno", "OptionHasSpecialFeatures": "Caracteristici Speciale", - "FolderTypePhotos": "Fotografii", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Bucurati-va de 14 zile de Incercare Gratuita", "OptionImdbRating": "Rating IMDb", - "FolderTypeMusicVideos": "Videoclipuri", - "LabelFailed": "Failed", "OptionParentalRating": "Rating Parental", - "FolderTypeHomeVideos": "Video Personale", - "LabelSeries": "Series:", "OptionPremiereDate": "Data Premierei", - "FolderTypeGames": "Jocuri", - "ButtonRefresh": "Refresh", "TabBasic": "De baza", - "FolderTypeBooks": "Carti", - "HeaderPlaybackSettings": "Setari Playback", "TabAdvanced": "Avansat", - "FolderTypeTvShows": "Seriale TV", "HeaderStatus": "Status", "OptionContinuing": "Continua", "OptionEnded": "S-a sfarsit", - "HeaderSync": "Sincronizeaza", - "TabPreferences": "Preferinte", "HeaderAirDays": "Zile difuzare", - "OptionReleaseDate": "Data Aparitie", - "TabPassword": "Parola", - "HeaderEasyPinCode": "Cod Pin Usor", "OptionSunday": "Duminica", - "LabelArtists": "Artisti:", - "TabLibraryAccess": "Acces Librarie", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Luni", - "LabelArtistsHelp": "Folosire separata multipla", - "TabImage": "Imagine", - "TabActivityLog": "Activity Log", "OptionTuesday": "Marti", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "Name", "OptionWednesday": "Miercuri", - "LabelDisplayMissingEpisodesWithinSeasons": "Afiseaza episoadele lipsa din sezoane", - "HeaderDate": "Date", "OptionThursday": "Joi", - "LabelUnairedMissingEpisodesWithinSeasons": "Afiseaza episoadele nedifuzate din sezoane", - "HeaderSource": "Source", "OptionFriday": "Vineri", - "ButtonAddLocalUser": "Adauga Utilizator Local", - "HeaderVideoPlaybackSettings": "Setari Playback Video", - "HeaderDestination": "Destination", "OptionSaturday": "Sambata", - "LabelAudioLanguagePreference": "Preferinte limba audio:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Preferinte limba subtitrare:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Id IMDb lipseste", - "OptionIsHD": "HD", - "HeaderAudio": "Muzica", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Id-ul IMDb lipseste", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Ghid rapid de Start", - "TabProfiles": "Profile", "OptionMissingOverview": "Lipseste Prezentarea Generala", + "OptionFileMetadataYearMismatch": "Anii Fisierelor\/Metadatelor gresite", + "TabGeneral": "General", + "TitleSupport": "Suport", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Despre", + "TabSupporterKey": "Cheie Suporter", + "TabBecomeSupporter": "Devino Suporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Emby are o comunitate \u00eenfloritoare de utilizatori \u0219i colaboratori.", + "SearchKnowledgeBase": "C\u0103uta\u021bi \u00een Baza de cuno\u0219tin\u021be", + "VisitTheCommunity": "Vizita\u021bi Comunitatea", + "VisitProjectWebsite": "Vizita\u021bi site-ul Web Emby", + "VisitProjectWebsiteLong": "Vizita\u021bi site-ul Web Emby pentru a prinde cele mai recente \u0219tiri \u0219i a \u021bine pasul cu blog-ul dezvoltator.", + "OptionHideUser": "Ascunde acest utilizator din pagina de autentificare", + "OptionHideUserFromLoginHelp": "Util pentru conturi private sau ascunse de administrator. Utilizatorul va trebui s\u0103 v\u0103 conecta\u021bi manual prin introducerea numelui de utilizator \u0219i parola.", + "OptionDisableUser": "Dezactiva\u021bi acest utilizator", + "OptionDisableUserHelp": "Dac\u0103 este dezactivat, serverul nu va permite nicio conexiune de la acest utilizator. Conexiunile existente vor fi terminate brusc.", + "HeaderAdvancedControl": "Control Avansat", + "LabelName": "Nume:", + "ButtonHelp": "Ajutor", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Activitate de sincronizare", - "TabSecurity": "Securitate", - "HeaderVideo": "Filme", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "Anii Fisierelor\/Metadatelor gresite", "ButtonSelect": "Select", - "ButtonAddUser": "Adauga Utilizator", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Salveaza", - "TitleSupport": "Suport", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reseteaza parola", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "Parola noua:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "Despre", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "Confirma parola noua:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Cheie Suporter", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Creeaza parola", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Devino Suporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Parola curenta:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Rating parental maxim permis:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Emby are o comunitate \u00eenfloritoare de utilizatori \u0219i colaboratori.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Continutul cu un rating mare va fi ascuns pentru acest utilizator.", - "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.", - "SearchKnowledgeBase": "C\u0103uta\u021bi \u00een Baza de cuno\u0219tin\u021be", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Selecteaza dosarele media impartasite cu acest utilizator. Administratorii vor avea posibilitatea sa editeze toate dosarele utilizand managerul de metadate.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Vizita\u021bi Comunitatea", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "Fara Subtitrare", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Ascunde acest utilizator din pagina de autentificare", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "Nou", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Dezactiva\u021bi acest utilizator", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadate", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "Dac\u0103 este dezactivat, serverul nu va permite nicio conexiune de la acest utilizator. Conexiunile existente vor fi terminate brusc.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Imagini", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Control Avansat", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titluri", - "TabPlaylist": "Lista de redare", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Nume:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Acces", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.", - "HeaderDays": "Days", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Nume utilizator sau email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "Acestea sunt numele si parola contului Dvs. online Emby.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Versiune:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Ultimul rezultat:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Dosare", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configureaza Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 86a4e4e1f0..93ac4392b8 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/ru.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/ru.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", - "LabelImageSavingConvention": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:", - "LabelNumberOfGuideDaysHelp": "\u041f\u0440\u0438 \u0431\u043e\u043b\u044c\u0448\u0435\u043c \u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u0435 \u0434\u043d\u0435\u0439 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0440\u0430\u043d\u043d\u0435\u0435 \u043f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u0431\u043e\u043b\u044c\u0448\u0435\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b, \u043d\u043e \u044d\u0442\u043e \u0437\u0430\u0439\u043c\u0451\u0442 \u0431\u043e\u043b\u044c\u0448\u0435 \u0432\u0440\u0435\u043c\u0435\u043d\u0438 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438. \u041f\u0440\u0438 \u0440\u0435\u0436\u0438\u043c\u0435 \u00ab\u0410\u0432\u0442\u043e\u00bb \u0432\u044b\u0431\u043e\u0440 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0447\u0438\u0441\u043b\u043e\u043c \u043a\u0430\u043d\u0430\u043b\u043e\u0432.", - "HeaderNewCollection": "\u041d\u043e\u0432\u0430\u044f \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f", - "LabelImageSavingConventionHelp": "\u0412 Emby \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u044e\u0442\u0441\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0438\u0437 \u043f\u043e\u043f\u0443\u043b\u044f\u0440\u043d\u044b\u0445 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439 \u0434\u043b\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445. \u0412\u044b\u0431\u043e\u0440 \u0441\u0432\u043e\u0435\u0433\u043e \u0444\u043e\u0440\u043c\u0430\u0442\u0430 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0446\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u044b\u043c, \u0442\u0430\u043a\u0436\u0435 \u043f\u0440\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0438 \u0438\u043d\u044b\u0445 \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u043e\u0432.", - "OptionImageSavingCompatible": "\u0421\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u044b\u0439 - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u0432\u044f\u0437\u044c \u0441 Emby Connect", - "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 - MB2", - "OptionAutomatic": "\u0410\u0432\u0442\u043e", - "ButtonCreate": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", - "ButtonSignIn": "\u0412\u043e\u0439\u0442\u0438", - "LiveTvPluginRequired": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c, \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 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430.", - "TitleSignIn": "\u0412\u0445\u043e\u0434", - "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.", - "LabelWebSocketPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430 \u0432\u0435\u0431-\u0441\u043e\u043a\u0435\u0442\u0430:", - "ProjectHasCommunity": "\u0423 Emby \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0440\u0430\u0441\u0442\u0443\u0449\u0435\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u0438 \u0443\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u043e\u0432.", - "HeaderPleaseSignIn": "\u0412\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u0435 \u0432\u0445\u043e\u0434", - "LabelUser": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c:", - "LabelExternalDDNS": "\u0412\u043d\u0435\u0448\u043d\u0438\u0439 WAN-\u0430\u0434\u0440\u0435\u0441:", - "TabOther": "\u0414\u0440\u0443\u0433\u0438\u0435", - "LabelPassword": "\u041f\u0430\u0440\u043e\u043b\u044c:", - "OptionDownloadThumbImage": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a", - "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. \u042d\u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438 \u043f\u0440\u0438 \u0443\u0434\u0430\u043b\u0435\u043d\u043d\u043e\u043c \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438. \u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0433\u043e \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f.", - "VisitProjectWebsite": "\u041f\u043e\u0441\u0435\u0442\u0438\u0442\u044c \u0441\u0430\u0439\u0442 Emby", - "ButtonManualLogin": "\u0412\u043e\u0439\u0442\u0438 \u0432\u0440\u0443\u0447\u043d\u0443\u044e", - "OptionDownloadMenuImage": "\u041c\u0435\u043d\u044e", - "TabResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435", - "PasswordLocalhostMessage": "\u041f\u0430\u0440\u043e\u043b\u0438 \u043d\u0435 \u0442\u0440\u0435\u0431\u0443\u044e\u0442\u0441\u044f \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u0445\u043e\u0441\u0442\u0430.", - "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f", - "TabWeather": "\u041f\u043e\u0433\u043e\u0434\u0430", - "OptionDownloadBoxImage": "\u041a\u043e\u0440\u043e\u0431\u043a\u0430", - "TitleAppSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", - "ButtonDeleteImage": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043e\u043a", - "VisitProjectWebsiteLong": "\u041f\u043e\u0441\u0435\u0449\u0430\u0439\u0442\u0435 \u0441\u0430\u0439\u0442 Emby, \u0447\u0442\u043e\u0431\u044b \u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u043c\u0438 \u043d\u043e\u0432\u043e\u0441\u0442\u044f\u043c\u0438 \u0438 \u0441\u043b\u0435\u0434\u0438\u0442\u044c \u0437\u0430 \u0431\u043b\u043e\u0433\u043e\u043c \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432.", - "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a", - "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, %:", - "ButtonUpload": "\u0412\u044b\u043b\u043e\u0436\u0438\u0442\u044c", - "OptionDownloadBannerImage": "\u0411\u0430\u043d\u043d\u0435\u0440", - "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, %:", - "HeaderUploadNewImage": "\u0412\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u043d\u043e\u0432\u043e\u0433\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u0430", - "OptionDownloadBackImage": "\u0421\u043f\u0438\u043d\u043a\u0430", - "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:", - "OptionHideWatchedContentFromLatestMedia": "\u0421\u043a\u0440\u044b\u0442\u044c \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0438\u0437 \u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0445 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "LabelDropImageHere": "\u041f\u0435\u0440\u0435\u0442\u0430\u0449\u0438\u0442\u0435 \u0440\u0438\u0441\u0443\u043d\u043e\u043a \u0441\u044e\u0434\u0430", - "OptionDownloadArtImage": "\u0412\u0438\u043d\u044c\u0435\u0442\u043a\u0430", - "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", - "ImageUploadAspectRatioHelp": "\u0420\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u043c\u043e\u0435 \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0441\u0442\u043e\u0440\u043e\u043d - 1:1. \u0414\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u044b \u0442\u043e\u043b\u044c\u043a\u043e JPG\/PNG.", - "OptionDownloadPrimaryImage": "\u041f\u0435\u0440\u0432\u0438\u0447\u043d\u044b\u0439", - "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", - "MessageNothingHere": "\u0417\u0434\u0435\u0441\u044c \u043d\u0438\u0447\u0435\u0433\u043e \u043d\u0435\u0442.", - "HeaderFetchImages": "\u041e\u0442\u0431\u043e\u0440\u043a\u0430 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:", - "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", - "TabSuggestions": "\u041f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u043e\u0435", - "MessagePleaseEnsureInternetMetadata": "\u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0430.", - "HeaderImageSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432", - "TabSuggested": "\u041f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u043d\u043e\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:", - "TabLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435", - "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:", - "TabUpcoming": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u043e\u0435", - "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:", - "TabShows": "\u0422\u0412-\u0441\u0435\u0440\u0438\u0430\u043b\u044b", - "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:", - "TabEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", - "ButtonAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0442\u0440\u0438\u0433\u0433\u0435\u0440", - "TabGenres": "\u0416\u0430\u043d\u0440\u044b", - "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430", - "TabPeople": "\u041b\u044e\u0434\u0438", - "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c", - "TabNetworks": "\u0422\u0435\u043b\u0435\u0441\u0435\u0442\u0438", - "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", - "ButtonHelp": "\u0421\u043f\u0440\u0430\u0432\u043a\u0430...", - "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:", - "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0439 \u0432\u044b\u043f\u0443\u0441\u043a", - "LabelEvent": "\u0421\u043e\u0431\u044b\u0442\u0438\u0435:", - "OptionBeta": "\u0411\u0435\u0442\u0430-\u0432\u0435\u0440\u0441\u0438\u044f", - "OptionWakeFromSleep": "\u0412\u044b\u0445\u043e\u0434 \u0438\u0437 \u0441\u043f\u044f\u0449\u0435\u0433\u043e \u0440\u0435\u0436\u0438\u043c\u0430", - "ButtonInviteUser": "\u041f\u0440\u0438\u0433\u043b\u0430\u0441\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "OptionDev": "\u0420\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043e\u0447\u043d\u0430\u044f (\u043d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u044c\u043d\u0430\u044f)", - "LabelEveryXMinutes": "\u041a\u0430\u0436\u0434\u044b\u0435:", - "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u044b", - "CategorySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "HeaderGallery": "\u0413\u0430\u043b\u0435\u0440\u0435\u044f", - "HeaderLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b", - "RegisterWithPayPal": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0447\u0435\u0440\u0435\u0437 PayPal", - "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 \u043f\u0440\u0430\u0432\u043a\u0438 \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", + "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", "LabelGithub": "GitHub", - "Option1Player": "1+", + "LabelSwagger": "\u0418\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441 Swagger", + "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442", "LabelApiDocumentation": "\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430\u0446\u0438\u044f \u043f\u043e API", - "Option2Player": "2+", "LabelDeveloperResources": "\u0420\u0435\u0441\u0443\u0440\u0441\u044b \u0434\u043b\u044f \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432", - "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": "\u041d\u0430\u0433\u0440\u0430\u0434\u044b \u0438 \u0440\u0435\u0446\u0435\u043d\u0437\u0438\u0438", - "HeaderSoundtracks": "\u0421\u0430\u0443\u043d\u0434\u0442\u0440\u0435\u043a\u0438", - "LabelManagement": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "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", + "LabelBrowseLibrary": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "LabelConfigureServer": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 Emby", + "LabelOpenLibraryViewer": "\u0421\u0440\u0435\u0434\u0441\u0442\u0432\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "LabelRestartServer": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0430", + "LabelShowLogWindow": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u043e\u043a\u043d\u043e \u0416\u0443\u0440\u043d\u0430\u043b\u0430", + "LabelPrevious": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435", + "LabelFinish": "\u0413\u043e\u0442\u043e\u0432\u043e", + "FolderTypeMixed": "\u0420\u0430\u0437\u043d\u043e\u0442\u0438\u043f\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435", + "LabelNext": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0435", + "LabelYoureDone": "\u0412\u044b \u0437\u0430\u043a\u043e\u043d\u0447\u0438\u043b\u0438!", + "WelcomeToProject": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", + "ThisWizardWillGuideYou": "\u042d\u0442\u043e\u0442 \u043f\u043e\u043c\u043e\u0449\u043d\u0438\u043a \u043f\u0440\u043e\u0432\u0435\u0434\u0451\u0442 \u0432\u0430\u0441 \u0447\u0435\u0440\u0435\u0437 \u0432\u0441\u0435 \u0444\u0430\u0437\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438. \u0421\u043d\u0430\u0447\u0430\u043b\u0430 \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a.", + "TellUsAboutYourself": "\u0420\u0430\u0441\u0441\u043a\u0430\u0436\u0438\u0442\u0435 \u043e \u0441\u0435\u0431\u0435", + "ButtonQuickStartGuide": "\u0420\u0443\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e \u043f\u043e \u0437\u0430\u043f\u0443\u0441\u043a\u0443...", + "LabelYourFirstName": "\u0412\u0430\u0448\u0435 \u0438\u043c\u044f:", + "MoreUsersCanBeAddedLater": "\u041f\u043e\u0442\u043e\u043c \u043c\u043e\u0436\u043d\u043e \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0435\u0449\u0451 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u0447\u0435\u0440\u0435\u0437 \u00ab\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c\u00bb.", + "UserProfilesIntro": "\u0412 Emby \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u043f\u0440\u043e\u0444\u0438\u043b\u0435\u0439, \u0447\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0435\u0442 \u043a\u0430\u0436\u0434\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0438\u043c\u0435\u0442\u044c \u0441\u0432\u043e\u0438 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f, \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0438 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c.", + "LabelWindowsService": "\u0421\u043b\u0443\u0436\u0431\u0430 Windows", + "AWindowsServiceHasBeenInstalled": "\u0421\u043b\u0443\u0436\u0431\u0430 Windows \u0431\u044b\u043b\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430.", + "WindowsServiceIntro1": "Emby Server \u043e\u0431\u044b\u0447\u043d\u043e \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043a\u0430\u043a \u043d\u0430\u0441\u0442\u043e\u043b\u044c\u043d\u043e\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0441\u043e \u0437\u043d\u0430\u0447\u043a\u043e\u043c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c \u043b\u043e\u0442\u043a\u0435, \u043d\u043e \u0435\u0441\u043b\u0438 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0438\u0442\u0435\u043b\u044c\u043d\u0430 \u0440\u0430\u0431\u043e\u0442\u0430 \u043a\u0430\u043a \u0444\u043e\u043d\u043e\u0432\u043e\u0439 \u0441\u043b\u0443\u0436\u0431\u044b, \u0432\u043c\u0435\u0441\u0442\u043e \u044d\u0442\u043e\u0433\u043e \u0435\u0433\u043e \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c \u0447\u0435\u0440\u0435\u0437 \u0434\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u0441\u043b\u0443\u0436\u0431 Windows.", + "WindowsServiceIntro2": "\u041f\u0440\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0438 \u0441\u043b\u0443\u0436\u0431\u044b Windows, \u043f\u043e\u043c\u043d\u0438\u0442\u0435, \u0447\u0442\u043e \u043d\u0435\u0432\u043e\u0437\u043c\u043e\u0436\u043d\u0430 \u043e\u0434\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u0430\u044f \u0440\u0430\u0431\u043e\u0442\u0430 \u0441\u043e \u0437\u043d\u0430\u0447\u043a\u043e\u043c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c \u043b\u043e\u0442\u043a\u0435, \u043f\u043e\u044d\u0442\u043e\u043c\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0437\u0430\u043a\u0440\u044b\u0442\u044c \u0437\u043d\u0430\u0447\u043e\u043a \u0432 \u043b\u043e\u0442\u043a\u0435, \u0447\u0442\u043e\u0431\u044b \u0441\u043b\u0443\u0436\u0431\u0430 \u0437\u0430\u0440\u0430\u0431\u043e\u0442\u0430\u043b\u0430. \u0421\u043b\u0443\u0436\u0431\u0443 \u0442\u0430\u043a\u0436\u0435 \u0431\u0443\u0434\u0435\u0442 \u043d\u0443\u0436\u043d\u043e \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0447\u0435\u0440\u0435\u0437 \u043a\u043e\u043d\u0441\u043e\u043b\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u0438\u0432\u043d\u044b\u043c\u0438 \u043f\u0440\u0430\u0432\u0430\u043c\u0438. \u041f\u043e\u043c\u043d\u0438\u0442\u0435, \u0447\u0442\u043e \u0432 \u0434\u0430\u043d\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0435\u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043b\u0443\u0436\u0431\u044b, \u0442\u0430\u043a \u0447\u0442\u043e \u0434\u043b\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0432\u0435\u0440\u0441\u0438\u0439 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0432\u0430\u0448\u0435 \u0432\u043c\u0435\u0448\u0430\u0442\u0435\u043b\u044c\u0441\u0442\u0432\u043e.", + "WizardCompleted": "\u042d\u0442\u043e \u043f\u043e\u043a\u0430 \u0432\u0441\u0451 \u0447\u0442\u043e \u043d\u0430\u043c \u043d\u0443\u0436\u043d\u043e. Emby \u043d\u0430\u0447\u0438\u043d\u0430\u0435\u0442 \u0441\u043e\u0431\u0438\u0440\u0430\u0442\u044c \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435. \u041e\u0437\u043d\u0430\u043a\u043e\u043c\u044c\u0442\u0435\u0441\u044c \u0441 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c\u0438 \u043d\u0430\u0448\u0438\u043c\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438, \u0430 \u043f\u043e\u0442\u043e\u043c \u043d\u0430\u0436\u043c\u0438\u0442\u0435 \u0413\u043e\u0442\u043e\u0432\u043e<\/b>, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c \u0441\u0435\u0440\u0432\u0435\u0440\u0430<\/b>.", + "LabelConfigureSettings": "\u041d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", + "LabelEnableVideoImageExtraction": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0438\u0437 \u0432\u0438\u0434\u0435\u043e", + "VideoImageExtractionHelp": "\u0414\u043b\u044f \u0432\u0438\u0434\u0435\u043e, \u0433\u0434\u0435 \u043d\u0435\u0442 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432, \u0438 \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u043d\u0430\u0439\u0442\u0438 \u0432 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435. \u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0438\u0431\u0430\u0432\u043b\u0435\u043d\u043e \u0435\u0449\u0451 \u0432\u0440\u0435\u043c\u0435\u043d\u0438 \u043a \u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u043c\u0443 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438, \u043d\u043e \u044d\u0442\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0431\u043e\u043b\u0435\u0435 \u043f\u0440\u0438\u0432\u043b\u0435\u043a\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u043c\u0443 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044e.", + "LabelEnableChapterImageExtractionForMovies": "\u0418\u0437\u0432\u043b\u0435\u043a\u0430\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0434\u043b\u044f \u0444\u0438\u043b\u044c\u043c\u043e\u0432", + "LabelChapterImageExtractionForMoviesHelp": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043d\u044e \u0432\u044b\u0431\u043e\u0440\u0430 \u0441\u0446\u0435\u043d\u044b. \u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c, \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0438 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043d\u0430\u0434\u043e\u0431\u0438\u0442\u044c\u0441\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0430. \u041e\u043d \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u0432 \u0432\u0438\u0434\u0435 \u0437\u0430\u0434\u0430\u0447\u0438, \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u043d\u0430 \u043d\u043e\u0447\u044c, \u043e\u0434\u043d\u0430\u043a\u043e, \u0435\u0451 \u043c\u043e\u0436\u043d\u043e \u043f\u0435\u0440\u0435\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041d\u0435 \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443 \u0432 \u0447\u0430\u0441\u044b \u043f\u0438\u043a.", + "LabelEnableAutomaticPortMapping": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0440\u0442\u043e\u0432", + "LabelEnableAutomaticPortMappingHelp": "UPnP \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u0433\u043e \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0430\u0440\u0448\u0440\u0443\u0442\u0438\u0437\u0430\u0442\u043e\u0440\u0430 \u0434\u043b\u044f \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u0438\u044f \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430. \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.", + "HeaderTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433 Emby", + "MessagePleaseAcceptTermsOfService": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0441\u043e\u0433\u043b\u0430\u0441\u0438\u0435 \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433 \u0438 \u041f\u043e\u043b\u0438\u0442\u0438\u043a\u043e\u0439 \u043a\u043e\u043d\u0444\u0438\u0434\u0435\u043d\u0446\u0438\u0430\u043b\u044c\u043d\u043e\u0441\u0442\u0438, \u043f\u0440\u0435\u0436\u0434\u0435 \u0447\u0435\u043c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c.", + "OptionIAcceptTermsOfService": "\u042f \u0441\u043e\u0433\u043b\u0430\u0448\u0430\u044e\u0441\u044c \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433", + "ButtonPrivacyPolicy": "\u041f\u043e\u043b\u0438\u0442\u0438\u043a\u0430 \u043a\u043e\u043d\u0444\u0438\u0434\u0435\u043d\u0446\u0438\u0430\u043b\u044c\u043d\u043e\u0441\u0442\u0438...", + "ButtonTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433...", "HeaderDeveloperOptions": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432", - "HeaderCastCrew": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438 \u0441\u044a\u0451\u043c\u043e\u043a", - "LabelLocalHttpServerPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e HTTP-\u043f\u043e\u0440\u0442\u0430:", - "HeaderAdditionalParts": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0447\u0430\u0441\u0442\u0438", "OptionEnableWebClientResponseCache": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043a\u0435\u0448\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u043e\u0442\u043a\u043b\u0438\u043a\u043e\u0432 \u0432 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0435", - "LabelLocalHttpServerPortNumberHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443 HTTP-\u0441\u0435\u0440\u0432\u0435\u0440\u0430 Emby.", - "ButtonSplitVersionsApart": "\u0420\u0430\u0437\u0431\u0438\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438 \u043f\u043e\u0440\u043e\u0437\u043d\u044c", - "LabelSyncTempPath": "\u041f\u0443\u0442\u044c \u043a\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e\u043c\u0443 \u0444\u0430\u0439\u043b\u0443:", "OptionDisableForDevelopmentHelp": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u0438\u0445, \u043f\u043e \u043c\u0435\u0440\u0435 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438, \u0432 \u0446\u0435\u043b\u044f\u0445 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043a\u0438 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0430.", - "LabelMissing": "\u041e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442", - "LabelSyncTempPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u0443\u044e \u0440\u0430\u0431\u043e\u0447\u0443\u044e \u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438. \u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0435\u043c\u044b\u0435 \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0430 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438, \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c\u0441\u044f \u0437\u0434\u0435\u0441\u044c.", - "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", - "LabelOffline": "\u0410\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e", "OptionEnableWebClientResourceMinification": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043c\u0438\u043d\u0438\u043c\u0438\u0437\u0430\u0446\u0438\u044e \u0440\u0435\u0441\u0443\u0440\u0441\u043e\u0432 \u0432 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0435", - "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.", - "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.", - "LabelCustomCertificatePath": "\u041f\u0443\u0442\u044c \u043a \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0443:", - "HeaderFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435", "LabelDashboardSourcePath": "\u041f\u0443\u0442\u044c \u043a \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a\u0443 \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0430:", - "HeaderTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435", - "LabelCustomCertificatePathHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u0441\u0432\u043e\u0439 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0444\u0430\u0439\u043b .pfx SSL-\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0430. \u041f\u0440\u0438 \u0435\u0433\u043e \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0438\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u0441\u043e\u0437\u0434\u0430\u0441\u0442 \u0441\u0430\u043c\u043e\u043f\u043e\u0434\u043f\u0438\u0441\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442.", - "LabelFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435:", "LabelDashboardSourcePathHelp": "\u0415\u0441\u043b\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043e\u0442 \u0438\u0441\u0445\u043e\u0434\u043d\u044b\u0445 \u043a\u043e\u0434\u043e\u0432, \u0443\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 dashboard-ui. \u0412\u0441\u0435 \u0444\u0430\u0439\u043b\u044b \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0430 \u0431\u0443\u0434\u0443\u0442 \u043f\u043e\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u0441 \u044d\u0442\u043e\u0433\u043e \u0440\u0430\u0437\u043c\u0435\u0449\u0435\u043d\u0438\u044f.", - "LabelFromHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: D:\\Movies (\u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435)", - "ButtonAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e", - "LabelTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435:", + "ButtonConvertMedia": "\u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "ButtonOrganize": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u043e\u0432\u0430\u0442\u044c", + "LinkedToEmbyConnect": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u0432\u044f\u0437\u044c \u0441 Emby Connect", + "HeaderSupporterBenefits": "\u041f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", + "HeaderAddUser": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "LabelAddConnectSupporterHelp": "\u0427\u0442\u043e\u0431\u044b \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f, \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u043d\u0435\u0442 \u0432 \u0441\u043f\u0438\u0441\u043a\u0435, \u0441\u043d\u0430\u0447\u0430\u043b\u0430 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0441\u0432\u044f\u0437\u0430\u0442\u044c \u0435\u0433\u043e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c \u0441 Emby Connect \u0441 \u0435\u0433\u043e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \u043f\u0440\u043e\u0444\u0438\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f.", + "LabelPinCode": "PIN-\u043a\u043e\u0434:", + "OptionHideWatchedContentFromLatestMedia": "\u0421\u043a\u0440\u044b\u0442\u044c \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0438\u0437 \u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0445 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "HeaderSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "ButtonOk": "\u041e\u041a", + "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", + "ButtonExit": "\u0412\u044b\u0439\u0442\u0438", + "ButtonNew": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", + "HeaderTV": "\u0422\u0412", + "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", + "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", "HeaderPaths": "\u041f\u0443\u0442\u0438", - "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", + "CategorySync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "TabPlaylist": "\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "HeaderEasyPinCode": "\u0423\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434", + "HeaderGrownupsOnly": "\u0422\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0432\u0437\u0440\u043e\u0441\u043b\u044b\u0445!", + "DividerOr": "-- \u0438\u043b\u0438 --", + "HeaderInstalledServices": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b", + "HeaderAvailableServices": "\u0414\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b", + "MessageNoServicesInstalled": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u0441\u043b\u0443\u0436\u0431 \u043d\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", + "HeaderToAccessPleaseEnterEasyPinCode": "\u0414\u043b\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u0432\u0430\u0448 \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434", + "KidsModeAdultInstruction": "\u0429\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u043e \u0437\u043d\u0430\u0447\u043a\u0443 \u0437\u0430\u043c\u043a\u0430 \u0441\u043f\u0440\u0430\u0432\u0430 \u0432\u043d\u0438\u0437\u0443, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0438\u043b\u0438 \u043f\u043e\u043a\u0438\u043d\u0443\u0442\u044c \u0434\u0435\u0442\u0441\u043a\u0438\u0439 \u0440\u0435\u0436\u0438\u043c. \u041f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0432\u0430\u0448 PIN-\u043a\u043e\u0434.", + "ButtonConfigurePinCode": "\u041d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c PIN-\u043a\u043e\u0434", + "HeaderAdultsReadHere": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435, \u043f\u0440\u043e\u0447\u0442\u0438\u0442\u0435 \u044d\u0442\u043e!", + "RegisterWithPayPal": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0447\u0435\u0440\u0435\u0437 PayPal", + "HeaderSyncRequiresSupporterMembership": "\u0414\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", + "HeaderEnjoyDayTrial": "\u0412\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u043c 14-\u0434\u043d\u0435\u0432\u043d\u044b\u043c \u043f\u0440\u043e\u0431\u043d\u044b\u043c \u043f\u0435\u0440\u0438\u043e\u0434\u043e\u043c", + "LabelSyncTempPath": "\u041f\u0443\u0442\u044c \u043a\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u043e\u043c\u0443 \u0444\u0430\u0439\u043b\u0443:", + "LabelSyncTempPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u0443\u044e \u0440\u0430\u0431\u043e\u0447\u0443\u044e \u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438. \u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0435\u043c\u044b\u0435 \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0430 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438, \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c\u0441\u044f \u0437\u0434\u0435\u0441\u044c.", + "LabelCustomCertificatePath": "\u041f\u0443\u0442\u044c \u043a \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0443:", + "LabelCustomCertificatePathHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u0441\u0432\u043e\u0439 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0444\u0430\u0439\u043b .pfx SSL-\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u0430. \u041f\u0440\u0438 \u0435\u0433\u043e \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0438\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u0441\u043e\u0437\u0434\u0430\u0441\u0442 \u0441\u0430\u043c\u043e\u043f\u043e\u0434\u043f\u0438\u0441\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043a\u0430\u0442.", "TitleNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "OptionSpecialEpisode": "\u0421\u043f\u0435\u0446. \u044d\u043f\u0438\u0437\u043e\u0434\u044b", - "OptionMissingEpisode": "\u041d\u0435\u0442 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432", "ButtonDonateWithPayPal": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c \u0447\u0435\u0440\u0435\u0437 PayPal", + "OptionDetectArchiveFilesAsMedia": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0442\u044c \u0430\u0440\u0445\u0438\u0432\u043d\u044b\u0435 \u0444\u0430\u0439\u043b\u044b \u043a\u0430\u043a \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "OptionDetectArchiveFilesAsMediaHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0444\u0430\u0439\u043b\u044b \u0441 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u0438\u044f\u043c\u0438 .RAR \u0438 .ZIP \u0431\u0443\u0434\u0443\u0442 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0435\u043d\u044b \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u043c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u043e\u0432.", + "LabelEnterConnectUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u042d-\u043f\u043e\u0447\u0442\u0430:", + "LabelEnterConnectUserNameHelp": "\u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432\u0430\u0448\u0438\u043c \u0438\u043c\u0435\u043d\u0435\u043c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u0435\u043c \u0441\u0435\u0442\u0435\u0432\u043e\u0439 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 Emby.", + "LabelEnableEnhancedMovies": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u0444\u0438\u043b\u044c\u043c\u043e\u0432", + "LabelEnableEnhancedMoviesHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0444\u0438\u043b\u044c\u043c\u044b \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043a\u0430\u043a \u043f\u0430\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b, \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b, \u0443\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u043e\u0432 \u0441\u044a\u0451\u043c\u043e\u043a \u0438 \u0434\u0440\u0443\u0433\u043e\u0435 \u0441\u0432\u044f\u0437\u0430\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435.", + "HeaderSyncJobInfo": "\u0417\u0430\u0434\u0430\u043d\u0438\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438", + "FolderTypeMovies": "\u041a\u0438\u043d\u043e", + "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "FolderTypeAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", + "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", + "FolderTypeGames": "\u0418\u0433\u0440\u044b", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "\u0422\u0412", "FolderTypeInherit": "\u041d\u0430\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u043d\u0438\u0435", - "OptionUnairedEpisode": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b", "LabelContentType": "\u0422\u0438\u043f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f:", - "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", "TitleScheduledTasks": "\u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u0437\u0430\u0434\u0430\u0447\u0438", - "OptionSeriesSortName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u0430", - "TabNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", - "OptionTvdbRating": "\u041e\u0446\u0435\u043d\u043a\u0430 TVDb", - "LinkApi": "API", - "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", - "LabelPublicHttpPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e HTTP-\u043f\u043e\u0440\u0442\u0430:", - "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 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u043f\u043e\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u0435\u0435", - "OptionPosterCard": "\u041f\u043e\u0441\u0442\u0435\u0440-\u043a\u0430\u0440\u0442\u0430", - "LabelPublicHttpPortHelp": "\u041f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c HTTP-\u043f\u043e\u0440\u0442\u043e\u043c.", - "OptionMaxQualityTranscodingHelp": "\u041d\u0430\u0438\u043b\u0443\u0447\u0448\u0435\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u043f\u043e\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u0435\u0435, \u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0432\u044b\u0448\u0435", - "OptionThumbCard": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a-\u043a\u0430\u0440\u0442\u0430", - "OptionHighSpeedTranscoding": "\u0421\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u044b\u0448\u0435", - "OptionAllowRemoteSharedDevices": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043e\u0431\u0449\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438", - "LabelPublicHttpsPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e HTTPS-\u043f\u043e\u0440\u0442\u0430:", - "OptionHighQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0432\u044b\u0448\u0435", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-\u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u043e\u0431\u0449\u0438\u043c\u0438, \u043f\u043e\u043a\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u043d\u0435 \u043d\u0430\u0447\u0438\u043d\u0430\u0435\u0442 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0442\u044c \u0438\u043c\u0438.", - "OptionMaxQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e", - "HeaderRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", - "LabelPublicHttpsPortHelp": "\u041f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c HTTPS-\u043f\u043e\u0440\u0442\u043e\u043c.", - "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", + "HeaderSetupLibrary": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "ButtonAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0443", + "LabelFolderType": "\u0422\u0438\u043f \u043f\u0430\u043f\u043a\u0438:", + "ReferToMediaLibraryWiki": "\u041e\u0431\u0440\u0430\u0442\u0438\u0442\u0435\u0441\u044c \u043a \u0432\u0438\u043a\u0438 \u043f\u043e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435.", + "LabelCountry": "\u0421\u0442\u0440\u0430\u043d\u0430:", + "LabelLanguage": "\u042f\u0437\u044b\u043a:", + "LabelTimeLimitHours": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438 (\u0447\u0430\u0441\u044b):", + "ButtonJoinTheDevelopmentTeam": "\u0412\u0441\u0442\u0443\u043f\u0438\u0442\u044c \u0432 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432", + "HeaderPreferredMetadataLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", + "LabelSaveLocalMetadata": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\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\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a", + "LabelSaveLocalMetadataHelp": "\u041f\u0440\u0438 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0438\u0438 \u0438\u043b\u043b\u044e\u0441\u0442\u0440\u0430\u0446\u0438\u0439 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0432\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432 \u0442\u0430\u043a\u043e\u043c \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0438, \u0433\u0434\u0435 \u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043b\u0435\u0433\u043a\u043e \u043f\u0440\u0430\u0432\u0438\u0442\u044c.", + "LabelDownloadInternetMetadata": "\u0417\u0430\u0433\u0440\u0443\u0436\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 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430", + "LabelDownloadInternetMetadataHelp": "\u0412 Emby Server \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044e \u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043d\u0430\u0441\u044b\u0449\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f.", + "TabPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", + "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", + "TabLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435", + "TabAccess": "\u0414\u043e\u0441\u0442\u0443\u043f", + "TabImage": "\u0420\u0438\u0441\u0443\u043d\u043e\u043a", + "TabProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "TabImages": "\u0420\u0438\u0441\u0443\u043d\u043a\u0438", + "TabNotifications": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f", + "TabCollectionTitles": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "OptionEnableAccessFromAllDevices": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0441\u043e \u0432\u0441\u0435\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432", + "OptionEnableAccessToAllChannels": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a\u043e \u0432\u0441\u0435\u043c \u043a\u0430\u043d\u0430\u043b\u0430\u043c", + "OptionEnableAccessToAllLibraries": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a\u043e \u0432\u0441\u0435\u043c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430\u043c", + "DeviceAccessHelp": "\u042d\u0442\u043e \u043e\u0442\u043d\u043e\u0441\u0438\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043a \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u043e\u0434\u043d\u043e\u0437\u043d\u0430\u0447\u043d\u043e \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u044b \u0438 \u043d\u0435 \u043f\u0440\u0435\u043f\u044f\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u0443 \u0447\u0435\u0440\u0435\u0437 \u0431\u0440\u0430\u0443\u0437\u0435\u0440. \u0424\u0438\u043b\u044c\u0442\u0440\u0430\u0446\u0438\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0437\u0430\u043f\u0440\u0435\u0442\u0438\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u043d\u043e\u0432\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u0434\u043e \u0442\u0435\u0445 \u043f\u043e\u0440, \u043f\u043e\u043a\u0430 \u043e\u043d\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u044b.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0435\u0437\u043e\u043d\u043e\u0432", + "LabelUnairedMissingEpisodesWithinSeasons": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0435\u0437\u043e\u043d\u043e\u0432", + "HeaderVideoPlaybackSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0432\u0438\u0434\u0435\u043e", + "HeaderPlaybackSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "LabelAudioLanguagePreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u044f\u0437\u044b\u043a\u0430 \u0430\u0443\u0434\u0438\u043e:", + "LabelSubtitleLanguagePreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u044f\u0437\u044b\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432:", "OptionDefaultSubtitles": "\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e", - "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 \u043f\u043e \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.", - "LabelEnableHttps": "\u041e\u0442\u0434\u0430\u0432\u0430\u0442\u044c HTTPS \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0430\u0434\u0440\u0435\u0441\u0430", - "HeaderUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", "OptionOnlyForcedSubtitles": "\u0422\u043e\u043b\u044c\u043a\u043e \u0444\u043e\u0440\u0441\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "HeaderFilters": "\u0424\u0438\u043b\u044c\u0442\u0440\u044b:", "OptionAlwaysPlaySubtitles": "\u0412\u0441\u0435\u0433\u0434\u0430 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0441 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u0430\u043c\u0438", - "LabelEnableHttpsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0439 \u043e\u043f\u0446\u0438\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u043e\u0442\u0434\u0430\u0451\u0442 HTTPS URL \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u0435\u0433\u043e \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0430\u0434\u0440\u0435\u0441\u0430.", - "ButtonFilter": "\u0424\u0438\u043b\u044c\u0442\u0440\u043e\u0432\u0430\u0442\u044c", + "OptionNoSubtitles": "\u0411\u0435\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", "OptionDefaultSubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b, \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0435 \u044f\u0437\u044b\u043a\u0430, \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c\u0441\u044f, \u0435\u0441\u043b\u0438 \u0430\u0443\u0434\u0438\u043e \u043d\u0430 \u0438\u043d\u043e\u0441\u0442\u0440\u0430\u043d\u043d\u043e\u043c \u044f\u0437\u044b\u043a\u0435.", - "OptionFavorite": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435", "OptionOnlyForcedSubtitlesHelp": "\u0411\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b, \u043e\u0431\u043e\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u043a\u0430\u043a \u0444\u043e\u0440\u0441\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0435.", - "LabelHttpsPort": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e HTTPS-\u043f\u043e\u0440\u0442\u0430:", - "OptionLikes": "\u041d\u0440\u0430\u0432\u044f\u0449\u0438\u0435\u0441\u044f", "OptionAlwaysPlaySubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b, \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0435 \u044f\u0437\u044b\u043a\u0430, \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c\u0441\u044f \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.", - "OptionDislikes": "\u041d\u0435 \u043d\u0440\u0430\u0432\u044f\u0449\u0438\u0435\u0441\u044f", "OptionNoSubtitlesHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c\u0441\u044f \u043f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e.", - "LabelHttpsPortHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443 HTTPS-\u0441\u0435\u0440\u0432\u0435\u0440\u0430 Emby.", + "TabProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438", + "TabSecurity": "\u0411\u0435\u0437\u043e\u043f\u0430\u0441\u043d\u043e\u0441\u0442\u044c", + "ButtonAddUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "ButtonAddLocalUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "ButtonInviteUser": "\u041f\u0440\u0438\u0433\u043b\u0430\u0441\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "ButtonSave": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c", + "ButtonResetPassword": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c", + "LabelNewPassword": "\u041d\u043e\u0432\u044b\u0439 \u043f\u0430\u0440\u043e\u043b\u044c", + "LabelNewPasswordConfirm": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f", + "HeaderCreatePassword": "\u0421\u043e\u0437\u0434\u0430\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f", + "LabelCurrentPassword": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c", + "LabelMaxParentalRating": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u0430\u044f \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f:", + "MaxParentalRatingHelp": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0441 \u0431\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0439 \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u043e\u0439 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0435\u0439 \u0431\u0443\u0434\u0435\u0442 \u0441\u043a\u0440\u044b\u0442\u043e \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "LibraryAccessHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438 \u0434\u043b\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u044d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u0441\u043c\u043e\u0433\u0443\u0442 \u043f\u0440\u0430\u0432\u0438\u0442\u044c \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u0440\u0438 \u043f\u043e\u043c\u043e\u0449\u0438 \u00ab\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445\u00bb.", + "ChannelAccessHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u044b, \u0447\u0442\u043e\u0431\u044b \u0434\u0430\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u044d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u043c\u043e\u0433\u0443\u0442 \u043f\u0440\u0430\u0432\u0438\u0442\u044c \u0432\u0441\u0435 \u043a\u0430\u043d\u0430\u043b\u044b \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u00ab\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445\u00bb.", + "ButtonDeleteImage": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043e\u043a", + "LabelSelectUsers": "\u0412\u044b\u0431\u043e\u0440 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439:", + "ButtonUpload": "\u0412\u044b\u043b\u043e\u0436\u0438\u0442\u044c", + "HeaderUploadNewImage": "\u0412\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u043d\u043e\u0432\u043e\u0433\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u0430", + "LabelDropImageHere": "\u041f\u0435\u0440\u0435\u0442\u0430\u0449\u0438\u0442\u0435 \u0440\u0438\u0441\u0443\u043d\u043e\u043a \u0441\u044e\u0434\u0430", + "ImageUploadAspectRatioHelp": "\u0420\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u043c\u043e\u0435 \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0441\u0442\u043e\u0440\u043e\u043d - 1:1. \u0414\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u044b \u0442\u043e\u043b\u044c\u043a\u043e JPG\/PNG.", + "MessageNothingHere": "\u0417\u0434\u0435\u0441\u044c \u043d\u0438\u0447\u0435\u0433\u043e \u043d\u0435\u0442.", + "MessagePleaseEnsureInternetMetadata": "\u0423\u0431\u0435\u0434\u0438\u0442\u0435\u0441\u044c, \u0447\u0442\u043e \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0430.", + "TabSuggested": "\u041f\u0440\u0435\u0434\u043b\u043e\u0436\u0435\u043d\u043d\u043e\u0435", + "TabSuggestions": "\u041f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u043e\u0435", + "TabLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435", + "TabUpcoming": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u043e\u0435", + "TabShows": "\u0422\u0412-\u0441\u0435\u0440\u0438\u0430\u043b\u044b", + "TabEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b", + "TabGenres": "\u0416\u0430\u043d\u0440\u044b", + "TabPeople": "\u041b\u044e\u0434\u0438", + "TabNetworks": "\u0422\u0435\u043b\u0435\u0441\u0435\u0442\u0438", + "HeaderUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "HeaderFilters": "\u0424\u0438\u043b\u044c\u0442\u0440\u044b:", + "ButtonFilter": "\u0424\u0438\u043b\u044c\u0442\u0440\u043e\u0432\u0430\u0442\u044c", + "OptionFavorite": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435", + "OptionLikes": "\u041d\u0440\u0430\u0432\u044f\u0449\u0438\u0435\u0441\u044f", + "OptionDislikes": "\u041d\u0435 \u043d\u0440\u0430\u0432\u044f\u0449\u0438\u0435\u0441\u044f", "OptionActors": "\u0410\u043a\u0442\u0451\u0440\u044b", - "TangibleSoftwareMessage": "\u041a\u043e\u043d\u0432\u0435\u0440\u0442\u0435\u0440\u044b Java\/C# \u043e\u0442 Tangible Solutions \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u043f\u043e \u043f\u043e\u0434\u0430\u0440\u0435\u043d\u043d\u043e\u0439 \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u0438.", "OptionGuestStars": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0451\u043d\u043d\u044b\u0435 \u0430\u043a\u0442\u0451\u0440\u044b", - "HeaderCredits": "\u041f\u0440\u0430\u0432\u043e\u043e\u0431\u043b\u0430\u0434\u0430\u0442\u0435\u043b\u0438", "OptionDirectors": "\u0420\u0435\u0436\u0438\u0441\u0441\u0451\u0440\u044b", - "TabCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", "OptionWriters": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0441\u0442\u044b", - "TabFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", "OptionProducers": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440\u044b", - "TabMyLibrary": "\u041c\u043e\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430", - "HeaderServices": "\u0421\u043b\u0443\u0436\u0431\u044b", "HeaderResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", - "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:", "HeaderNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435", "NoNextUpItemsMessage": "\u041d\u0438\u0447\u0435\u0433\u043e \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e. \u041d\u0430\u0447\u043d\u0438\u0442\u0435 \u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0441\u0432\u043e\u0438 \u0441\u0435\u0440\u0438\u0430\u043b\u044b!", "HeaderLatestEpisodes": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "ButtonSort": "\u0421\u043e\u0440\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c", "HeaderSortBy": "\u0421\u043e\u0440\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u043e:", - "OptionEnableAccessToAllChannels": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a\u043e \u0432\u0441\u0435\u043c \u043a\u0430\u043d\u0430\u043b\u0430\u043c", "HeaderSortOrder": "\u041d\u0430\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435:", - "LabelAutomaticUpdates": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", "OptionPlayed": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0435", - "LabelFanartApiKey": "\u0418\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u044b\u0439 API-\u043a\u043b\u044e\u0447:", "OptionUnplayed": "\u041d\u0435 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0435", - "LabelFanartApiKeyHelp": "\u0417\u0430\u043f\u0440\u043e\u0441\u044b \u043a Fanart \u0431\u0435\u0437 \u0438\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u043e\u0433\u043e API-\u043a\u043b\u044e\u0447\u0430 \u0432\u043e\u0437\u0432\u0440\u0430\u0449\u0430\u044e\u0442 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u044b \u0438\u0437 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u043d\u044b\u0445 \u0441\u0432\u044b\u0448\u0435 7 \u0434\u043d\u0435\u0439 \u043d\u0430\u0437\u0430\u0434. \u0421 \u0438\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u044b\u043c API-\u043a\u043b\u044e\u0447\u043e\u043c \u0441\u0440\u043e\u043a \u0443\u043c\u0435\u043d\u044c\u0448\u0430\u0435\u0442\u0441\u044f \u0434\u043e 48 \u0447\u0430\u0441\u043e\u0432, \u0430 \u0435\u0441\u043b\u0438 \u0432\u044b \u0442\u0430\u043a\u0436\u0435 \u044f\u0432\u043b\u044f\u0435\u0442\u0435\u0441\u044c VIP-\u0447\u043b\u0435\u043d\u043e\u043c Fanart, \u0442\u043e \u044d\u0442\u043e \u0432\u0440\u0435\u043c\u044f \u0443\u043c\u0435\u043d\u044c\u0448\u0438\u0442\u0441\u044f \u043f\u043e\u0447\u0442\u0438 \u0434\u043e 10 \u043c\u0438\u043d\u0443\u0442.", "OptionAscending": "\u041f\u043e \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u0430\u043d\u0438\u044e", "OptionDescending": "\u041f\u043e \u0443\u0431\u044b\u0432\u0430\u043d\u0438\u044e", "OptionRuntime": "\u0414\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c", + "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430", "OptionPlayCount": "\u041a\u043e\u043b-\u0432\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439", "OptionDatePlayed": "\u0414\u0430\u0442\u0430 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "HeaderRepeatingOptions": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u043e\u0432\u0442\u043e\u0440\u0435\u043d\u0438\u044f", "OptionDateAdded": "\u0414\u0430\u0442\u0430 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f", - "HeaderTV": "\u0422\u0412", "OptionAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c. \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", - "HeaderTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433 Emby", - "LabelCustomCss": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 CSS:", - "OptionDetectArchiveFilesAsMedia": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0442\u044c \u0430\u0440\u0445\u0438\u0432\u043d\u044b\u0435 \u0444\u0430\u0439\u043b\u044b \u043a\u0430\u043a \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", "OptionArtist": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c", - "MessagePleaseAcceptTermsOfService": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u0441\u043e\u0433\u043b\u0430\u0441\u0438\u0435 \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433 \u0438 \u041f\u043e\u043b\u0438\u0442\u0438\u043a\u043e\u0439 \u043a\u043e\u043d\u0444\u0438\u0434\u0435\u043d\u0446\u0438\u0430\u043b\u044c\u043d\u043e\u0441\u0442\u0438, \u043f\u0440\u0435\u0436\u0434\u0435 \u0447\u0435\u043c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c.", - "OptionDetectArchiveFilesAsMediaHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0444\u0430\u0439\u043b\u044b \u0441 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u0438\u044f\u043c\u0438 .RAR \u0438 .ZIP \u0431\u0443\u0434\u0443\u0442 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0435\u043d\u044b \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u043c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u043e\u0432.", "OptionAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", - "OptionIAcceptTermsOfService": "\u042f \u0441\u043e\u0433\u043b\u0430\u0448\u0430\u044e\u0441\u044c \u0441 \u0423\u0441\u043b\u043e\u0432\u0438\u044f\u043c\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433", - "LabelCustomCssHelp": "\u041f\u0440\u0438\u043c\u0435\u043d\u044f\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 CSS \u043a \u0432\u0435\u0431-\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0443.", "OptionTrackName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0434\u043e\u0440\u043e\u0436\u043a\u0438", - "ButtonPrivacyPolicy": "\u041f\u043e\u043b\u0438\u0442\u0438\u043a\u0430 \u043a\u043e\u043d\u0444\u0438\u0434\u0435\u043d\u0446\u0438\u0430\u043b\u044c\u043d\u043e\u0441\u0442\u0438...", - "LabelSelectUsers": "\u0412\u044b\u0431\u043e\u0440 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439:", "OptionCommunityRating": "\u041e\u0431\u0449\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u0430\u044f \u043e\u0446\u0435\u043d\u043a\u0430", - "ButtonTermsOfService": "\u0423\u0441\u043b\u043e\u0432\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0443\u0441\u043b\u0443\u0433...", "OptionNameSort": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435", + "OptionFolderSort": "\u041f\u0430\u043f\u043a\u0438", "OptionBudget": "\u0411\u044e\u0434\u0436\u0435\u0442", - "OptionHideUserFromLoginHelp": "\u0426\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u043e \u0434\u043b\u044f \u043b\u0438\u0447\u043d\u044b\u0445 \u0438\u043b\u0438 \u0441\u043a\u0440\u044b\u0442\u044b\u0445 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0441\u043a\u0438\u0445 \u0443\u0447\u0451\u0442\u043d\u044b\u0445 \u0437\u0430\u043f\u0438\u0441\u0435\u0439. \u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0431\u0443\u0434\u0435\u0442 \u043d\u0443\u0436\u043d\u043e \u0432\u0445\u043e\u0434\u0438\u0442\u044c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0443 \u0432\u0440\u0443\u0447\u043d\u0443\u044e, \u0432\u0432\u043e\u0434\u044f \u0441\u0432\u043e\u0451 \u0438\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438 \u043f\u0430\u0440\u043e\u043b\u044c.", "OptionRevenue": "\u0414\u043e\u0445\u043e\u0434", "OptionPoster": "\u041f\u043e\u0441\u0442\u0435\u0440", + "OptionPosterCard": "\u041f\u043e\u0441\u0442\u0435\u0440-\u043a\u0430\u0440\u0442\u0430", + "OptionBackdrop": "\u0417\u0430\u0434\u043d\u0438\u043a", "OptionTimeline": "\u0425\u0440\u043e\u043d\u043e\u043b\u043e\u0433\u0438\u044f", + "OptionThumb": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a", + "OptionThumbCard": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a-\u043a\u0430\u0440\u0442\u0430", + "OptionBanner": "\u0411\u0430\u043d\u043d\u0435\u0440", "OptionCriticRating": "\u041e\u0446\u0435\u043d\u043a\u0430 \u043a\u0440\u0438\u0442\u0438\u043a\u043e\u0432", "OptionVideoBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u0438\u0434\u0435\u043e", "OptionResumable": "\u0412\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a", "TabMyPlugins": "\u041c\u043e\u0438 \u043f\u043b\u0430\u0433\u0438\u043d\u044b", "TabCatalog": "\u041a\u0430\u0442\u0430\u043b\u043e\u0433", - "ThisWizardWillGuideYou": "\u042d\u0442\u043e\u0442 \u043f\u043e\u043c\u043e\u0449\u043d\u0438\u043a \u043f\u0440\u043e\u0432\u0435\u0434\u0451\u0442 \u0432\u0430\u0441 \u0447\u0435\u0440\u0435\u0437 \u0432\u0441\u0435 \u0444\u0430\u0437\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438. \u0421\u043d\u0430\u0447\u0430\u043b\u0430 \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a.", - "TellUsAboutYourself": "\u0420\u0430\u0441\u0441\u043a\u0430\u0436\u0438\u0442\u0435 \u043e \u0441\u0435\u0431\u0435", + "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u044b", "HeaderAutomaticUpdates": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", - "LabelYourFirstName": "\u0412\u0430\u0448\u0435 \u0438\u043c\u044f:", - "LabelPinCode": "PIN-\u043a\u043e\u0434:", - "MoreUsersCanBeAddedLater": "\u041f\u043e\u0442\u043e\u043c \u043c\u043e\u0436\u043d\u043e \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0435\u0449\u0451 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u0447\u0435\u0440\u0435\u0437 \u00ab\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c\u00bb.", "HeaderNowPlaying": " \u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0435", - "UserProfilesIntro": "\u0412 Emby \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u043f\u0440\u043e\u0444\u0438\u043b\u0435\u0439, \u0447\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u0435\u0442 \u043a\u0430\u0436\u0434\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0438\u043c\u0435\u0442\u044c \u0441\u0432\u043e\u0438 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f, \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0438 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c.", "HeaderLatestAlbums": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b", - "LabelWindowsService": "\u0421\u043b\u0443\u0436\u0431\u0430 Windows", "HeaderLatestSongs": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438", - "ButtonExit": "\u0412\u044b\u0439\u0442\u0438", - "ButtonConvertMedia": "\u041f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "AWindowsServiceHasBeenInstalled": "\u0421\u043b\u0443\u0436\u0431\u0430 Windows \u0431\u044b\u043b\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0430.", "HeaderRecentlyPlayed": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e", - "LabelTimeLimitHours": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438 (\u0447\u0430\u0441\u044b):", - "WindowsServiceIntro1": "Emby Server \u043e\u0431\u044b\u0447\u043d\u043e \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043a\u0430\u043a \u043d\u0430\u0441\u0442\u043e\u043b\u044c\u043d\u043e\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0441\u043e \u0437\u043d\u0430\u0447\u043a\u043e\u043c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c \u043b\u043e\u0442\u043a\u0435, \u043d\u043e \u0435\u0441\u043b\u0438 \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0438\u0442\u0435\u043b\u044c\u043d\u0430 \u0440\u0430\u0431\u043e\u0442\u0430 \u043a\u0430\u043a \u0444\u043e\u043d\u043e\u0432\u043e\u0439 \u0441\u043b\u0443\u0436\u0431\u044b, \u0432\u043c\u0435\u0441\u0442\u043e \u044d\u0442\u043e\u0433\u043e \u0435\u0433\u043e \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c \u0447\u0435\u0440\u0435\u0437 \u0434\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u0441\u043b\u0443\u0436\u0431 Windows.", "HeaderFrequentlyPlayed": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u0435 \u0447\u0430\u0441\u0442\u043e", - "ButtonOrganize": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u043e\u0432\u0430\u0442\u044c", - "WindowsServiceIntro2": "\u041f\u0440\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0438 \u0441\u043b\u0443\u0436\u0431\u044b Windows, \u043f\u043e\u043c\u043d\u0438\u0442\u0435, \u0447\u0442\u043e \u043d\u0435\u0432\u043e\u0437\u043c\u043e\u0436\u043d\u0430 \u043e\u0434\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u0430\u044f \u0440\u0430\u0431\u043e\u0442\u0430 \u0441\u043e \u0437\u043d\u0430\u0447\u043a\u043e\u043c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c \u043b\u043e\u0442\u043a\u0435, \u043f\u043e\u044d\u0442\u043e\u043c\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0437\u0430\u043a\u0440\u044b\u0442\u044c \u0437\u043d\u0430\u0447\u043e\u043a \u0432 \u043b\u043e\u0442\u043a\u0435, \u0447\u0442\u043e\u0431\u044b \u0441\u043b\u0443\u0436\u0431\u0430 \u0437\u0430\u0440\u0430\u0431\u043e\u0442\u0430\u043b\u0430. \u0421\u043b\u0443\u0436\u0431\u0443 \u0442\u0430\u043a\u0436\u0435 \u0431\u0443\u0434\u0435\u0442 \u043d\u0443\u0436\u043d\u043e \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0447\u0435\u0440\u0435\u0437 \u043a\u043e\u043d\u0441\u043e\u043b\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u0438\u0432\u043d\u044b\u043c\u0438 \u043f\u0440\u0430\u0432\u0430\u043c\u0438. \u041f\u043e\u043c\u043d\u0438\u0442\u0435, \u0447\u0442\u043e \u0432 \u0434\u0430\u043d\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0435\u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043b\u0443\u0436\u0431\u044b, \u0442\u0430\u043a \u0447\u0442\u043e \u0434\u043b\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0432\u0435\u0440\u0441\u0438\u0439 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0432\u0430\u0448\u0435 \u0432\u043c\u0435\u0448\u0430\u0442\u0435\u043b\u044c\u0441\u0442\u0432\u043e.", "DevBuildWarning": "\u0420\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043e\u0447\u043d\u044b\u0435 \u0441\u0431\u043e\u0440\u043a\u0438 \u044f\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u043d\u0430\u0438\u0431\u043e\u043b\u0435\u0435 \u043f\u0435\u0440\u0435\u0434\u043e\u0432\u044b\u043c\u0438. \u0412\u044b\u0445\u043e\u0434\u044f\u0449\u0438\u0435 \u0447\u0430\u0441\u0442\u043e, \u044d\u0442\u0438 \u0441\u0431\u043e\u0440\u043a\u0438 \u043d\u0435 \u0431\u044b\u043b\u0438 \u043e\u0442\u0442\u0435\u0441\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0434\u043e \u043a\u043e\u043d\u0446\u0430. \u0420\u0430\u0431\u043e\u0442\u0430 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u043c\u043e\u0436\u0435\u0442 \u0430\u0432\u0430\u0440\u0438\u0439\u043d\u043e \u0437\u0430\u0432\u0435\u0440\u0448\u0430\u0442\u044c\u0441\u044f, \u0430 \u043c\u043d\u043e\u0433\u0438\u0435 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u043c\u043e\u0433\u0443\u0442 \u043d\u0435 \u0440\u0430\u0431\u043e\u0442\u0430\u0442\u044c \u0441\u043e\u0432\u0441\u0435\u043c.", - "HeaderGrownupsOnly": "\u0422\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0432\u0437\u0440\u043e\u0441\u043b\u044b\u0445!", - "WizardCompleted": "\u042d\u0442\u043e \u043f\u043e\u043a\u0430 \u0432\u0441\u0451 \u0447\u0442\u043e \u043d\u0430\u043c \u043d\u0443\u0436\u043d\u043e. Emby \u043d\u0430\u0447\u0438\u043d\u0430\u0435\u0442 \u0441\u043e\u0431\u0438\u0440\u0430\u0442\u044c \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435. \u041e\u0437\u043d\u0430\u043a\u043e\u043c\u044c\u0442\u0435\u0441\u044c \u0441 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c\u0438 \u043d\u0430\u0448\u0438\u043c\u0438 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438, \u0430 \u043f\u043e\u0442\u043e\u043c \u043d\u0430\u0436\u043c\u0438\u0442\u0435 \u0413\u043e\u0442\u043e\u0432\u043e<\/b>, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c \u0441\u0435\u0440\u0432\u0435\u0440\u0430<\/b>.", - "ButtonJoinTheDevelopmentTeam": "\u0412\u0441\u0442\u0443\u043f\u0438\u0442\u044c \u0432 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432", - "LabelConfigureSettings": "\u041d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", - "LabelEnableVideoImageExtraction": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0438\u0437 \u0432\u0438\u0434\u0435\u043e", - "DividerOr": "-- \u0438\u043b\u0438 --", - "OptionEnableAccessToAllLibraries": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a\u043e \u0432\u0441\u0435\u043c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430\u043c", - "VideoImageExtractionHelp": "\u0414\u043b\u044f \u0432\u0438\u0434\u0435\u043e, \u0433\u0434\u0435 \u043d\u0435\u0442 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432, \u0438 \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u043d\u0430\u0439\u0442\u0438 \u0432 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435. \u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0438\u0431\u0430\u0432\u043b\u0435\u043d\u043e \u0435\u0449\u0451 \u0432\u0440\u0435\u043c\u0435\u043d\u0438 \u043a \u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u043c\u0443 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438, \u043d\u043e \u044d\u0442\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0431\u043e\u043b\u0435\u0435 \u043f\u0440\u0438\u0432\u043b\u0435\u043a\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u043c\u0443 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044e.", - "LabelEnableChapterImageExtractionForMovies": "\u0418\u0437\u0432\u043b\u0435\u043a\u0430\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0434\u043b\u044f \u0444\u0438\u043b\u044c\u043c\u043e\u0432", - "HeaderInstalledServices": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b", - "LabelChapterImageExtractionForMoviesHelp": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043d\u044e \u0432\u044b\u0431\u043e\u0440\u0430 \u0441\u0446\u0435\u043d\u044b. \u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c, \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0438 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043d\u0430\u0434\u043e\u0431\u0438\u0442\u044c\u0441\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0430. \u041e\u043d \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u0432 \u0432\u0438\u0434\u0435 \u0437\u0430\u0434\u0430\u0447\u0438, \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u043d\u0430 \u043d\u043e\u0447\u044c, \u043e\u0434\u043d\u0430\u043a\u043e, \u0435\u0451 \u043c\u043e\u0436\u043d\u043e \u043f\u0435\u0440\u0435\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041d\u0435 \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443 \u0432 \u0447\u0430\u0441\u044b \u043f\u0438\u043a.", - "TitlePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u044b", - "HeaderToAccessPleaseEnterEasyPinCode": "\u0414\u043b\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u0432\u0430\u0448 \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434", - "LabelEnableAutomaticPortMapping": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0440\u0442\u043e\u0432", - "HeaderSupporterBenefits": "\u041f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "LabelEnableAutomaticPortMappingHelp": "UPnP \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u0433\u043e \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0430\u0440\u0448\u0440\u0443\u0442\u0438\u0437\u0430\u0442\u043e\u0440\u0430 \u0434\u043b\u044f \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u0438\u044f \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430. \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.", - "HeaderAvailableServices": "\u0414\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b", - "ButtonOk": "\u041e\u041a", - "KidsModeAdultInstruction": "\u0429\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u043e \u0437\u043d\u0430\u0447\u043a\u0443 \u0437\u0430\u043c\u043a\u0430 \u0441\u043f\u0440\u0430\u0432\u0430 \u0432\u043d\u0438\u0437\u0443, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0438\u043b\u0438 \u043f\u043e\u043a\u0438\u043d\u0443\u0442\u044c \u0434\u0435\u0442\u0441\u043a\u0438\u0439 \u0440\u0435\u0436\u0438\u043c. \u041f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0432\u0430\u0448 PIN-\u043a\u043e\u0434.", - "ButtonCancel": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", - "HeaderAddUser": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderSetupLibrary": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", - "MessageNoServicesInstalled": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u0441\u043b\u0443\u0436\u0431 \u043d\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", - "ButtonAddMediaFolder": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0443", - "ButtonConfigurePinCode": "\u041d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c PIN-\u043a\u043e\u0434", - "LabelFolderType": "\u0422\u0438\u043f \u043f\u0430\u043f\u043a\u0438:", - "LabelAddConnectSupporterHelp": "\u0427\u0442\u043e\u0431\u044b \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f, \u043a\u043e\u0442\u043e\u0440\u043e\u0433\u043e \u043d\u0435\u0442 \u0432 \u0441\u043f\u0438\u0441\u043a\u0435, \u0441\u043d\u0430\u0447\u0430\u043b\u0430 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0441\u0432\u044f\u0437\u0430\u0442\u044c \u0435\u0433\u043e \u0443\u0447\u0451\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c \u0441 Emby Connect \u0441 \u0435\u0433\u043e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \u043f\u0440\u043e\u0444\u0438\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f.", - "ReferToMediaLibraryWiki": "\u041e\u0431\u0440\u0430\u0442\u0438\u0442\u0435\u0441\u044c \u043a \u0432\u0438\u043a\u0438 \u043f\u043e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435.", - "HeaderAdultsReadHere": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435, \u043f\u0440\u043e\u0447\u0442\u0438\u0442\u0435 \u044d\u0442\u043e!", - "LabelCountry": "\u0421\u0442\u0440\u0430\u043d\u0430:", - "LabelLanguage": "\u042f\u0437\u044b\u043a:", - "HeaderPreferredMetadataLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", - "LabelEnableEnhancedMovies": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u0444\u0438\u043b\u044c\u043c\u043e\u0432", - "LabelSaveLocalMetadata": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\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\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a", - "LabelSaveLocalMetadataHelp": "\u041f\u0440\u0438 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0438\u0438 \u0438\u043b\u043b\u044e\u0441\u0442\u0440\u0430\u0446\u0438\u0439 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0432\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432 \u0442\u0430\u043a\u043e\u043c \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0438, \u0433\u0434\u0435 \u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043b\u0435\u0433\u043a\u043e \u043f\u0440\u0430\u0432\u0438\u0442\u044c.", - "LabelDownloadInternetMetadata": "\u0417\u0430\u0433\u0440\u0443\u0436\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 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430", - "LabelEnableEnhancedMoviesHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0444\u0438\u043b\u044c\u043c\u044b \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043a\u0430\u043a \u043f\u0430\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b, \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b, \u0443\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u043e\u0432 \u0441\u044a\u0451\u043c\u043e\u043a \u0438 \u0434\u0440\u0443\u0433\u043e\u0435 \u0441\u0432\u044f\u0437\u0430\u043d\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435.", - "HeaderDeviceAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "LabelDownloadInternetMetadataHelp": "\u0412 Emby Server \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044e \u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043d\u0430\u0441\u044b\u0449\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f.", - "OptionThumb": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a", - "LabelExit": "\u0412\u044b\u0445\u043e\u0434", - "OptionBanner": "\u0411\u0430\u043d\u043d\u0435\u0440", - "LabelVisitCommunity": "\u041f\u043e\u0441\u0435\u0449\u0435\u043d\u0438\u0435 \u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u0430", "LabelVideoType": "\u0422\u0438\u043f \u0432\u0438\u0434\u0435\u043e:", "OptionBluray": "BluRay", - "LabelSwagger": "\u0418\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441 Swagger", "OptionDvd": "DVD", - "LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0441\u043e \u0432\u0441\u0435\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432", - "LabelBrowseLibrary": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", "LabelFeatures": "\u041c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b:", - "DeviceAccessHelp": "\u042d\u0442\u043e \u043e\u0442\u043d\u043e\u0441\u0438\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043a \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u043e\u0434\u043d\u043e\u0437\u043d\u0430\u0447\u043d\u043e \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u044b \u0438 \u043d\u0435 \u043f\u0440\u0435\u043f\u044f\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u0443 \u0447\u0435\u0440\u0435\u0437 \u0431\u0440\u0430\u0443\u0437\u0435\u0440. \u0424\u0438\u043b\u044c\u0442\u0440\u0430\u0446\u0438\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0437\u0430\u043f\u0440\u0435\u0442\u0438\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u043d\u043e\u0432\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u0434\u043e \u0442\u0435\u0445 \u043f\u043e\u0440, \u043f\u043e\u043a\u0430 \u043e\u043d\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u044b.", - "ChannelAccessHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u044b, \u0447\u0442\u043e\u0431\u044b \u0434\u0430\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u044d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u043c\u043e\u0433\u0443\u0442 \u043f\u0440\u0430\u0432\u0438\u0442\u044c \u0432\u0441\u0435 \u043a\u0430\u043d\u0430\u043b\u044b \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u00ab\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445\u00bb.", + "LabelService": "\u0421\u043b\u0443\u0436\u0431\u0430:", + "LabelStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435:", + "LabelVersion": "\u0412\u0435\u0440\u0441\u0438\u044f:", + "LabelLastResult": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0439 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442:", "OptionHasSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "LabelOpenLibraryViewer": "\u0421\u0440\u0435\u0434\u0441\u0442\u0432\u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", "OptionHasTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440", - "LabelRestartServer": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0430", "OptionHasThemeSong": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0430\u044f \u043c\u0435\u043b\u043e\u0434\u0438\u044f", - "LabelShowLogWindow": "\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u043e\u043a\u043d\u043e \u0416\u0443\u0440\u043d\u0430\u043b\u0430", "OptionHasThemeVideo": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0432\u0438\u0434\u0435\u043e", - "LabelPrevious": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435", "TabMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", - "LabelFinish": "\u0413\u043e\u0442\u043e\u0432\u043e", "TabStudios": "\u0421\u0442\u0443\u0434\u0438\u0438", - "FolderTypeMixed": "\u0420\u0430\u0437\u043d\u043e\u0442\u0438\u043f\u043d\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435", - "LabelNext": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0435", "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "FolderTypeMovies": "\u041a\u0438\u043d\u043e", - "LabelYoureDone": "\u0412\u044b \u0437\u0430\u043a\u043e\u043d\u0447\u0438\u043b\u0438!", + "LabelArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438:", + "LabelArtistsHelp": "\u0414\u043b\u044f \u0440\u0430\u0437\u0434\u0435\u043b\u0435\u043d\u0438\u044f \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u00ab;\u00bb", "HeaderLatestMovies": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0444\u0438\u043b\u044c\u043c\u044b", - "FolderTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440...", - "HeaderSyncRequiresSupporterMembership": "\u0414\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", "HeaderLatestTrailers": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "FolderTypeAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "OptionHasSpecialFeatures": "\u0414\u043e\u043f. \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b", - "FolderTypePhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", - "ButtonSubmit": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c", - "HeaderEnjoyDayTrial": "\u0412\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u043c 14-\u0434\u043d\u0435\u0432\u043d\u044b\u043c \u043f\u0440\u043e\u0431\u043d\u044b\u043c \u043f\u0435\u0440\u0438\u043e\u0434\u043e\u043c", "OptionImdbRating": "\u041e\u0446\u0435\u043d\u043a\u0430 IMDb", - "FolderTypeMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", - "LabelFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e", "OptionParentalRating": "\u0412\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f", - "FolderTypeHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", - "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b:", "OptionPremiereDate": "\u0414\u0430\u0442\u0430 \u043f\u0440\u0435\u043c\u044c\u0435\u0440\u044b", - "FolderTypeGames": "\u0418\u0433\u0440\u044b", - "ButtonRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c", "TabBasic": "\u041e\u0441\u043d\u043e\u0432\u043d\u043e\u0435", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderPlaybackSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", "TabAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", - "FolderTypeTvShows": "\u0422\u0412", "HeaderStatus": "\u0421\u043e\u0441\u0442-\u0438\u0435", "OptionContinuing": "\u041f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u0435\u0442\u0441\u044f", "OptionEnded": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u043b\u0441\u044f", - "HeaderSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "TabPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", "HeaderAirDays": "\u0414\u043d\u0438 \u044d\u0444\u0438\u0440\u0430", - "OptionReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430", - "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", - "HeaderEasyPinCode": "\u0423\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434", "OptionSunday": "\u0432\u043e\u0441\u043a\u0440\u0435\u0441\u0435\u043d\u044c\u0435", - "LabelArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438:", - "TabLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435", - "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f", "OptionMonday": "\u043f\u043e\u043d\u0435\u0434\u0435\u043b\u044c\u043d\u0438\u043a", - "LabelArtistsHelp": "\u0414\u043b\u044f \u0440\u0430\u0437\u0434\u0435\u043b\u0435\u043d\u0438\u044f \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u00ab;\u00bb", - "TabImage": "\u0420\u0438\u0441\u0443\u043d\u043e\u043a", - "TabActivityLog": "\u0416\u0443\u0440\u043d\u0430\u043b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0439", "OptionTuesday": "\u0432\u0442\u043e\u0440\u043d\u0438\u043a", - "ButtonAdvancedRefresh": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u043f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435...", - "TabProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c", - "HeaderName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435)", "OptionWednesday": "\u0441\u0440\u0435\u0434\u0430", - "LabelDisplayMissingEpisodesWithinSeasons": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0435\u0437\u043e\u043d\u043e\u0432", - "HeaderDate": "\u0414\u0430\u0442\u0430", "OptionThursday": "\u0447\u0435\u0442\u0432\u0435\u0440\u0433", - "LabelUnairedMissingEpisodesWithinSeasons": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0435\u0437\u043e\u043d\u043e\u0432", - "HeaderSource": "\u0418\u0441\u0442\u043e\u0447\u043d\u0438\u043a", "OptionFriday": "\u043f\u044f\u0442\u043d\u0438\u0446\u0430", - "ButtonAddLocalUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderVideoPlaybackSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0432\u0438\u0434\u0435\u043e", - "HeaderDestination": "\u041a\u0443\u0434\u0430", "OptionSaturday": "\u0441\u0443\u0431\u0431\u043e\u0442\u0430", - "LabelAudioLanguagePreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u044f\u0437\u044b\u043a\u0430 \u0430\u0443\u0434\u0438\u043e:", - "HeaderProgram": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430", "HeaderManagement": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "OptionMissingTmdbId": "\u041d\u0435\u0442 TMDb Id", - "LabelSubtitleLanguagePreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u044f\u0437\u044b\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432:", - "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u044b", + "LabelManagement": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", "OptionMissingImdbId": "\u041d\u0435\u0442 IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "\u0410\u0443\u0434\u0438\u043e", - "LabelCompleted": "\u0412\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u043e", "OptionMissingTvdbId": "\u041d\u0435\u0442 TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "\u0420\u0443\u043a\u043e\u0432\u043e\u0434\u0441\u0442\u0432\u043e \u043f\u043e \u0437\u0430\u043f\u0443\u0441\u043a\u0443...", - "TabProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438", "OptionMissingOverview": "\u041d\u0435\u0442 \u043e\u0431\u0437\u043e\u0440\u0430", + "OptionFileMetadataYearMismatch": "\u0420\u0430\u0437\u043d\u044b\u0435 \u0433\u043e\u0434\u044b \u0432\u043e \u0444\u0430\u0439\u043b\u0435\/\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "TabGeneral": "\u041e\u0431\u0449\u0438\u0435", + "TitleSupport": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430", + "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430", + "TabLog": "\u0416\u0443\u0440\u043d\u0430\u043b", + "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430", + "TabAbout": "\u041e \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u0435", + "TabSupporterKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", + "TabBecomeSupporter": "\u0421\u0442\u0430\u0442\u044c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c", + "ProjectHasCommunity": "\u0423 Emby \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0440\u0430\u0441\u0442\u0443\u0449\u0435\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u0438 \u0443\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u043e\u0432.", + "CheckoutKnowledgeBase": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u044c\u0442\u0435\u0441\u044c \u0441 \u0411\u0430\u0437\u043e\u0439 \u0437\u043d\u0430\u043d\u0438\u0439, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043f\u043e\u043c\u043e\u0449\u044c \u043a\u0430\u043a \u0434\u043e\u0441\u0442\u0438\u0447\u044c \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0439 \u043e\u0442\u0434\u0430\u0447\u0438 \u043e\u0442 Emby.", + "SearchKnowledgeBase": "\u0418\u0441\u043a\u0430\u0442\u044c \u0432 \u0411\u0430\u0437\u0435 \u0437\u043d\u0430\u043d\u0438\u0439", + "VisitTheCommunity": "\u041f\u043e\u0441\u0435\u0442\u0438\u0442\u044c \u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e", + "VisitProjectWebsite": "\u041f\u043e\u0441\u0435\u0442\u0438\u0442\u044c \u0441\u0430\u0439\u0442 Emby", + "VisitProjectWebsiteLong": "\u041f\u043e\u0441\u0435\u0449\u0430\u0439\u0442\u0435 \u0441\u0430\u0439\u0442 Emby, \u0447\u0442\u043e\u0431\u044b \u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u043c\u0438 \u043d\u043e\u0432\u043e\u0441\u0442\u044f\u043c\u0438 \u0438 \u0441\u043b\u0435\u0434\u0438\u0442\u044c \u0437\u0430 \u0431\u043b\u043e\u0433\u043e\u043c \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u043e\u0432.", + "OptionHideUser": "\u0421\u043a\u0440\u044b\u0442\u044c \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0441 \u044d\u043a\u0440\u0430\u043d\u043e\u0432 \u0432\u0445\u043e\u0434\u0430", + "OptionHideUserFromLoginHelp": "\u0426\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u043e \u0434\u043b\u044f \u043b\u0438\u0447\u043d\u044b\u0445 \u0438\u043b\u0438 \u0441\u043a\u0440\u044b\u0442\u044b\u0445 \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u0441\u043a\u0438\u0445 \u0443\u0447\u0451\u0442\u043d\u044b\u0445 \u0437\u0430\u043f\u0438\u0441\u0435\u0439. \u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0431\u0443\u0434\u0435\u0442 \u043d\u0443\u0436\u043d\u043e \u0432\u0445\u043e\u0434\u0438\u0442\u044c \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0443 \u0432\u0440\u0443\u0447\u043d\u0443\u044e, \u0432\u0432\u043e\u0434\u044f \u0441\u0432\u043e\u0451 \u0438\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438 \u043f\u0430\u0440\u043e\u043b\u044c.", + "OptionDisableUser": "\u0417\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "OptionDisableUserHelp": "\u041f\u0440\u0438 \u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438, \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0430\u0435\u0442 \u043b\u044e\u0431\u044b\u0435 \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u0440\u0435\u0437\u043a\u043e \u043e\u0431\u043e\u0440\u0432\u0430\u043d\u044b.", + "HeaderAdvancedControl": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", + "LabelName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435):", + "ButtonHelp": "\u0421\u043f\u0440\u0430\u0432\u043a\u0430...", + "OptionAllowUserToManageServer": "\u042d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0440\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c", + "HeaderFeatureAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u0444\u0443\u043d\u043a\u0446\u0438\u044f\u043c", + "OptionAllowMediaPlayback": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "OptionAllowBrowsingLiveTv": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0422\u0412-\u044d\u0444\u0438\u0440\u0443", + "OptionAllowDeleteLibraryContent": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "OptionAllowManageLiveTv": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u044c\u044e \u0441 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", + "OptionAllowRemoteControlOthers": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f\u043c\u0438", + "OptionAllowRemoteSharedDevices": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043e\u0431\u0449\u0438\u043c\u0438 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-\u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u043e\u0431\u0449\u0438\u043c\u0438, \u043f\u043e\u043a\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u043d\u0435 \u043d\u0430\u0447\u0438\u043d\u0430\u0435\u0442 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0442\u044c \u0438\u043c\u0438.", + "OptionAllowLinkSharing": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u043d\u043e\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u0434\u043b\u044f \u0441\u043e\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0445 \u0441\u0435\u0442\u0435\u0439", + "OptionAllowLinkSharingHelp": "\u0422\u043e\u043b\u044c\u043a\u043e \u0432\u0435\u0431-\u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0438\u0435 \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u043d\u0430\u0445\u043e\u0434\u044f\u0442\u0441\u044f \u0432 \u043e\u0431\u0449\u0435\u043c \u0434\u043e\u0441\u0442\u0443\u043f\u0435. \u041c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u044b \u043d\u0438\u043a\u043e\u0433\u0434\u0430 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u043d\u0430\u0445\u043e\u0434\u0438\u0442\u044c\u0441\u044f \u0432 \u043e\u0431\u0449\u0435\u043c \u0434\u043e\u0441\u0442\u0443\u043f\u0435. \u041e\u0431\u0449\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u043f\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u0438, \u0438 \u0438\u0441\u0442\u0435\u0447\u0451\u0442 \u043d\u0430 \u043e\u0441\u043d\u043e\u0432\u0430\u043d\u0438\u0438 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \u043e\u0431\u0449\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u0432\u0430\u0448\u0435\u0433\u043e \u0441\u0435\u0440\u0432\u0435\u0440\u0430.", + "HeaderSharing": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043e\u0431\u0449\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430", + "HeaderRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", + "OptionMissingTmdbId": "\u041d\u0435\u0442 TMDb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "\u041e\u0446\u0435\u043d\u043a\u0430 Metascore", - "HeaderSyncJobInfo": "\u0417\u0430\u0434\u0430\u043d\u0438\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438", - "TabSecurity": "\u0411\u0435\u0437\u043e\u043f\u0430\u0441\u043d\u043e\u0441\u0442\u044c", - "HeaderVideo": "\u0412\u0438\u0434\u0435\u043e", - "LabelSkipped": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043e", - "OptionFileMetadataYearMismatch": "\u0420\u0430\u0437\u043d\u044b\u0435 \u0433\u043e\u0434\u044b \u0432\u043e \u0444\u0430\u0439\u043b\u0435\/\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", "ButtonSelect": "\u0412\u044b\u0431\u0440\u0430\u0442\u044c", - "ButtonAddUser": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderEpisodeOrganization": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430", - "TabGeneral": "\u041e\u0431\u0449\u0438\u0435", "ButtonGroupVersions": "\u0413\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438", - "TabGuide": "\u0413\u0438\u0434", - "ButtonSave": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c", - "TitleSupport": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430", + "ButtonAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e", "PismoMessage": "Pismo File Mount \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u043f\u043e \u043f\u043e\u0434\u0430\u0440\u0435\u043d\u043d\u043e\u0439 \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u0438.", - "TabChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", - "ButtonResetPassword": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c", - "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430:", - "TabLog": "\u0416\u0443\u0440\u043d\u0430\u043b", + "TangibleSoftwareMessage": "\u041a\u043e\u043d\u0432\u0435\u0440\u0442\u0435\u0440\u044b Java\/C# \u043e\u0442 Tangible Solutions \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u043f\u043e \u043f\u043e\u0434\u0430\u0440\u0435\u043d\u043d\u043e\u0439 \u043b\u0438\u0446\u0435\u043d\u0437\u0438\u0438.", + "HeaderCredits": "\u041f\u0440\u0430\u0432\u043e\u043e\u0431\u043b\u0430\u0434\u0430\u0442\u0435\u043b\u0438", "PleaseSupportOtherProduces": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\u0435 \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0435 \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0437\u0430\u0434\u0435\u0439\u0441\u0442\u0432\u043e\u0432\u0430\u043d\u044b \u043d\u0430\u043c\u0438:", - "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", - "LabelNewPassword": "\u041d\u043e\u0432\u044b\u0439 \u043f\u0430\u0440\u043e\u043b\u044c", - "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", - "TabAbout": "\u041e \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u0435", "VersionNumber": "\u0412\u0435\u0440\u0441\u0438\u044f {0}", - "TabRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438", - "LabelNewPasswordConfirm": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f", - "LabelEndingEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", - "TabSupporterKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", "TabPaths": "\u041f\u0443\u0442\u0438", - "TabScheduled": "\u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0435", - "HeaderCreatePassword": "\u0421\u043e\u0437\u0434\u0430\u043d\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u044f", - "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", - "TabBecomeSupporter": "\u0421\u0442\u0430\u0442\u044c \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c", "TabServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "TabSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", - "LabelCurrentPassword": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c", - "HeaderSupportTheTeam": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 Emby", "TabTranscoding": "\u041f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0430", - "ButtonCancelRecording": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0437\u0430\u043f\u0438\u0441\u044c", - "LabelMaxParentalRating": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u0430\u044f \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f:", - "LabelSupportAmount": "\u0421\u0443\u043c\u043c\u0430, USD", - "CheckoutKnowledgeBase": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u044c\u0442\u0435\u0441\u044c \u0441 \u0411\u0430\u0437\u043e\u0439 \u0437\u043d\u0430\u043d\u0438\u0439, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043f\u043e\u043c\u043e\u0449\u044c \u043a\u0430\u043a \u0434\u043e\u0441\u0442\u0438\u0447\u044c \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0439 \u043e\u0442\u0434\u0430\u0447\u0438 \u043e\u0442 Emby.", "TitleAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", - "HeaderPrePostPadding": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f\/\u043a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0438", - "MaxParentalRatingHelp": "\u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0441 \u0431\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0439 \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u043e\u0439 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0435\u0439 \u0431\u0443\u0434\u0435\u0442 \u0441\u043a\u0440\u044b\u0442\u043e \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "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 \u0434\u0440\u0443\u0433\u0438\u0435 \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0435 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u044b, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043c\u044b \u043f\u043e\u043b\u0430\u0433\u0430\u0435\u043c\u0441\u044f.", - "SearchKnowledgeBase": "\u0418\u0441\u043a\u0430\u0442\u044c \u0432 \u0411\u0430\u0437\u0435 \u0437\u043d\u0430\u043d\u0438\u0439", "LabelAutomaticUpdateLevel": "\u0423\u0440\u043e\u0432\u0435\u043d\u044c \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0433\u043e \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", - "LabelPrePaddingMinutes": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430, \u043c\u0438\u043d:", - "LibraryAccessHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438 \u0434\u043b\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u044d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e. \u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u0441\u043c\u043e\u0433\u0443\u0442 \u043f\u0440\u0430\u0432\u0438\u0442\u044c \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u0440\u0438 \u043f\u043e\u043c\u043e\u0449\u0438 \u00ab\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445\u00bb.", - "ButtonEnterSupporterKey": "\u0412\u0432\u0435\u0441\u0442\u0438 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "VisitTheCommunity": "\u041f\u043e\u0441\u0435\u0442\u0438\u0442\u044c \u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e", + "OptionRelease": "\u041e\u0444\u0438\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0439 \u0432\u044b\u043f\u0443\u0441\u043a", + "OptionBeta": "\u0411\u0435\u0442\u0430-\u0432\u0435\u0440\u0441\u0438\u044f", + "OptionDev": "\u0420\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043e\u0447\u043d\u0430\u044f (\u043d\u0435\u0441\u0442\u0430\u0431\u0438\u043b\u044c\u043d\u0430\u044f)", "LabelAllowServerAutoRestart": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440\u0443 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0439 \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a \u0434\u043b\u044f \u043f\u0440\u0438\u043c\u0435\u043d\u0435\u043d\u0438\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0439", - "OptionPrePaddingRequired": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u043d\u0438\u044f.", - "OptionNoSubtitles": "\u0411\u0435\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", - "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.", "LabelAllowServerAutoRestartHelp": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0431\u0443\u0434\u0435\u0442 \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u043f\u0435\u0440\u0438\u043e\u0434\u044b \u043f\u0440\u043e\u0441\u0442\u043e\u044f, \u043a\u043e\u0433\u0434\u0430 \u043d\u0438\u043a\u0430\u043a\u0438\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438 \u043d\u0435 \u0430\u043a\u0442\u0438\u0432\u043d\u044b.", - "LabelPostPaddingMinutes": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430, \u043c\u0438\u043d:", - "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.", "LabelEnableDebugLogging": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u043b\u0430\u0434\u043e\u0447\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u0432 \u0416\u0443\u0440\u043d\u0430\u043b\u0435", - "OptionPostPaddingRequired": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u043d\u0438\u044f.", - "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.", - "OptionHideUser": "\u0421\u043a\u0440\u044b\u0442\u044c \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0441 \u044d\u043a\u0440\u0430\u043d\u043e\u0432 \u0432\u0445\u043e\u0434\u0430", "LabelRunServerAtStartup": "\u0417\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440 \u043f\u0440\u0438 \u0441\u0442\u0430\u0440\u0442\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b", - "HeaderWhatsOnTV": "\u0412 \u044d\u0444\u0438\u0440\u0435", - "ButtonNew": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", - "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", - "OptionDisableUser": "\u0417\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", "LabelRunServerAtStartupHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0435\u0442 \u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c\u0441\u044f \u0437\u043d\u0430\u0447\u043e\u043a \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c \u043b\u043e\u0442\u043a\u0435 \u0432 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0435 \u0441\u0442\u0430\u0440\u0442\u0430 Windows. \u0414\u043b\u044f \u0437\u0430\u043f\u0443\u0441\u043a\u0430 \u0441\u043b\u0443\u0436\u0431\u044b Windows, \u0441\u043d\u0438\u043c\u0438\u0442\u0435 \u0444\u043b\u0430\u0436\u043e\u043a \u0438 \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0441\u043b\u0443\u0436\u0431\u0443 \u0438\u0437 \u043a\u043e\u043d\u0441\u043e\u043b\u0438 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u044f Windows. \u041f\u043e\u043c\u043d\u0438\u0442\u0435, \u0447\u0442\u043e \u043d\u0435\u0432\u043e\u0437\u043c\u043e\u0436\u043d\u0430 \u043e\u0434\u043d\u043e\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u0430\u044f \u0440\u0430\u0431\u043e\u0442\u0430 \u0438\u0445 \u0432\u043c\u0435\u0441\u0442\u0435, \u043f\u043e\u044d\u0442\u043e\u043c\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e \u0437\u0430\u043a\u0440\u044b\u0442\u044c \u0437\u043d\u0430\u0447\u043e\u043a \u0432 \u043b\u043e\u0442\u043a\u0435 \u0434\u043e \u0437\u0430\u043f\u0443\u0441\u043a\u0430 \u0441\u043b\u0443\u0436\u0431\u044b.", - "HeaderUpcomingTV": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u043e\u0435", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "LabelWatchFolder": "\u041f\u0430\u043f\u043a\u0430 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f:", - "OptionDisableUserHelp": "\u041f\u0440\u0438 \u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438, \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0430\u0435\u0442 \u043b\u044e\u0431\u044b\u0435 \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f \u043e\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u0440\u0435\u0437\u043a\u043e \u043e\u0431\u043e\u0440\u0432\u0430\u043d\u044b.", "ButtonSelectDirectory": "\u0412\u044b\u0431\u0440\u0430\u0442\u044c \u043a\u0430\u0442\u0430\u043b\u043e\u0433", - "TabStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435", - "TabImages": "\u0420\u0438\u0441\u0443\u043d\u043a\u0438", - "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\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \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.", - "HeaderAdvancedControl": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", "LabelCustomPaths": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0435 \u043f\u0443\u0442\u0438 \u043a\u0443\u0434\u0430 \u0436\u0435\u043b\u0430\u0442\u0435\u043b\u044c\u043d\u043e. \u041e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u043e\u043b\u044f \u043d\u0435\u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u043d\u044b\u043c\u0438, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0435.", - "TabSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", - "TabCollectionTitles": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "TabPlaylist": "\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "ButtonViewScheduledTasks": "\u0421\u043c. \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u0437\u0430\u0434\u0430\u0447\u0438", - "LabelName": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435):", "LabelCachePath": "\u041f\u0443\u0442\u044c \u043a \u043a\u0435\u0448\u0443:", - "ButtonRefreshGuideData": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0435 \u0433\u0438\u0434\u0430", - "LabelMinFileSizeForOrganize": "\u041c\u0438\u043d. \u0440\u0430\u0437\u043c\u0435\u0440 \u0444\u0430\u0439\u043b\u0430, \u041c\u0411:", - "OptionAllowUserToManageServer": "\u042d\u0442\u043e\u043c\u0443 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044e \u0440\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c", "LabelCachePathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u043e\u0433\u043e \u043a\u044d\u0448\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432.", - "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", - "ButtonRemove": "\u0418\u0437\u044a\u044f\u0442\u044c", - "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.", - "HeaderFeatureAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u0444\u0443\u043d\u043a\u0446\u0438\u044f\u043c", "LabelImagesByNamePath": "\u041f\u0443\u0442\u044c \u043a \u043f\u0430\u043f\u043a\u0435 \u00abImages by name\u00bb:", - "OptionRecordOnAllChannels": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0441\u043e \u0432\u0441\u0435\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", - "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.", - "TabAccess": "\u0414\u043e\u0441\u0442\u0443\u043f", - "LabelSeasonFolderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u043f\u0430\u043f\u043a\u0438 \u0441\u0435\u0437\u043e\u043d\u0430:", - "OptionAllowMediaPlayback": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", "LabelImagesByNamePathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0430\u043a\u0442\u0451\u0440\u043e\u0432, \u0436\u0430\u043d\u0440\u043e\u0432 \u0438 \u0441\u0442\u0443\u0434\u0438\u0439.", - "OptionRecordAnytime": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f", - "HeaderAddTitles": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439", - "OptionAllowBrowsingLiveTv": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0422\u0412-\u044d\u0444\u0438\u0440\u0443", "LabelMetadataPath": "\u041f\u0443\u0442\u044c \u043a \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u043c:", + "LabelMetadataPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0439 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0435\u0441\u043b\u0438 \u043e\u043d\u0438 \u043d\u0435 \u0445\u0440\u0430\u043d\u044f\u0442\u0441\u044f \u0432 \u043f\u0430\u043f\u043a\u0430\u0445 \u0441 \u043c\u0435\u0434\u0438\u0430.", + "LabelTranscodingTempPath": "\u041f\u0443\u0442\u044c \u043a\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u043c \u0444\u0430\u0439\u043b\u0430\u043c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438:", + "LabelTranscodingTempPathHelp": "\u0412 \u0434\u0430\u043d\u043d\u043e\u0439 \u043f\u0430\u043f\u043a\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0442\u0441\u044f \u0440\u0430\u0431\u043e\u0447\u0438\u0435 \u0444\u0430\u0439\u043b\u044b, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u043c\u044b\u0435 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435. \u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c, \u0438\u043b\u0438 \u043d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u0432\u043d\u0443\u0442\u0440\u0438 \u043f\u0430\u043f\u043a\u0438 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 data.", + "TabBasics": "\u041e\u0441\u043d\u043e\u0432\u043d\u044b\u0435", + "TabTV": "\u0422\u0412", + "TabGames": "\u0418\u0433\u0440\u044b", + "TabMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "TabOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", + "HeaderExtractChapterImagesFor": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u0434\u043b\u044f:", + "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", + "OptionEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", + "OptionOtherVideos": "\u0414\u0440\u0443\u0433\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", + "TitleMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "LabelAutomaticUpdates": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", + "LabelAutomaticUpdatesTmdb": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0441 TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0441 TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043d\u043e\u0432\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438, \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 fanart.tv. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", + "LabelAutomaticUpdatesTmdbHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043d\u043e\u0432\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438, \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 TheMovieDB.org. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", + "LabelAutomaticUpdatesTvdbHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0439 \u043e\u043f\u0446\u0438\u0438 \u043d\u043e\u0432\u044b\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 TheTVDB.com. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", + "LabelFanartApiKey": "\u0418\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u044b\u0439 API-\u043a\u043b\u044e\u0447:", + "LabelFanartApiKeyHelp": "\u0417\u0430\u043f\u0440\u043e\u0441\u044b \u043a Fanart \u0431\u0435\u0437 \u0438\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u043e\u0433\u043e API-\u043a\u043b\u044e\u0447\u0430 \u0432\u043e\u0437\u0432\u0440\u0430\u0449\u0430\u044e\u0442 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u044b \u0438\u0437 \u043e\u0434\u043e\u0431\u0440\u0435\u043d\u043d\u044b\u0445 \u0441\u0432\u044b\u0448\u0435 7 \u0434\u043d\u0435\u0439 \u043d\u0430\u0437\u0430\u0434. \u0421 \u0438\u043d\u0434\u0438\u0432\u0438\u0434\u0443\u0430\u043b\u044c\u043d\u044b\u043c API-\u043a\u043b\u044e\u0447\u043e\u043c \u0441\u0440\u043e\u043a \u0443\u043c\u0435\u043d\u044c\u0448\u0430\u0435\u0442\u0441\u044f \u0434\u043e 48 \u0447\u0430\u0441\u043e\u0432, \u0430 \u0435\u0441\u043b\u0438 \u0432\u044b \u0442\u0430\u043a\u0436\u0435 \u044f\u0432\u043b\u044f\u0435\u0442\u0435\u0441\u044c VIP-\u0447\u043b\u0435\u043d\u043e\u043c Fanart, \u0442\u043e \u044d\u0442\u043e \u0432\u0440\u0435\u043c\u044f \u0443\u043c\u0435\u043d\u044c\u0448\u0438\u0442\u0441\u044f \u043f\u043e\u0447\u0442\u0438 \u0434\u043e 10 \u043c\u0438\u043d\u0443\u0442.", + "ExtractChapterImagesHelp": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043d\u044e \u0432\u044b\u0431\u043e\u0440\u0430 \u0441\u0446\u0435\u043d\u044b. \u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c, \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0438 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043d\u0430\u0434\u043e\u0431\u0438\u0442\u044c\u0441\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0430. \u041e\u043d \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043f\u0440\u0438 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u0438 \u043d\u043e\u0432\u044b\u0445 \u0432\u0438\u0434\u0435\u043e, \u0430 \u0442\u0430\u043a\u0436\u0435, \u043a\u0430\u043a \u0437\u0430\u0434\u0430\u0447\u0430, \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u043d\u0430 \u043d\u043e\u0447\u044c. \u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0435\u0440\u0435\u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041d\u0435 \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443 \u0432 \u0447\u0430\u0441\u044b \u043f\u0438\u043a.", + "LabelMetadataDownloadLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e:", + "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u043f\u0440\u043e\u043a\u0440\u0443\u0442\u043a\u0430...", + "LabelImageSavingConvention": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:", + "LabelImageSavingConventionHelp": "\u0412 Emby \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u044e\u0442\u0441\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0438\u0437 \u043f\u043e\u043f\u0443\u043b\u044f\u0440\u043d\u044b\u0445 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439 \u0434\u043b\u044f \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445. \u0412\u044b\u0431\u043e\u0440 \u0441\u0432\u043e\u0435\u0433\u043e \u0444\u043e\u0440\u043c\u0430\u0442\u0430 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0446\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u044b\u043c, \u0442\u0430\u043a\u0436\u0435 \u043f\u0440\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0438 \u0438\u043d\u044b\u0445 \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u043e\u0432.", + "OptionImageSavingCompatible": "\u0421\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u044b\u0439 - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 - MB2", + "ButtonSignIn": "\u0412\u043e\u0439\u0442\u0438", + "TitleSignIn": "\u0412\u0445\u043e\u0434", + "HeaderPleaseSignIn": "\u0412\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u0435 \u0432\u0445\u043e\u0434", + "LabelUser": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c:", + "LabelPassword": "\u041f\u0430\u0440\u043e\u043b\u044c:", + "ButtonManualLogin": "\u0412\u043e\u0439\u0442\u0438 \u0432\u0440\u0443\u0447\u043d\u0443\u044e", + "PasswordLocalhostMessage": "\u041f\u0430\u0440\u043e\u043b\u0438 \u043d\u0435 \u0442\u0440\u0435\u0431\u0443\u044e\u0442\u0441\u044f \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u0445\u043e\u0441\u0442\u0430.", + "TabGuide": "\u0413\u0438\u0434", + "TabChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", + "TabCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", + "HeaderChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", + "TabRecordings": "\u0417\u0430\u043f\u0438\u0441\u0438", + "TabScheduled": "\u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0435", + "TabSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", + "TabFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", + "TabMyLibrary": "\u041c\u043e\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430", + "ButtonCancelRecording": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u0437\u0430\u043f\u0438\u0441\u044c", + "HeaderPrePostPadding": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f\/\u043a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0438", + "LabelPrePaddingMinutes": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430, \u043c\u0438\u043d:", + "OptionPrePaddingRequired": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u043d\u0438\u044f.", + "LabelPostPaddingMinutes": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430, \u043c\u0438\u043d:", + "OptionPostPaddingRequired": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u043e\u0442\u0431\u0438\u0432\u043a\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u043d\u0438\u044f.", + "HeaderWhatsOnTV": "\u0412 \u044d\u0444\u0438\u0440\u0435", + "HeaderUpcomingTV": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u043e\u0435", + "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", + "ButtonAdvancedRefresh": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435 \u043f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435...", + "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442", + "OptionRecordOnAllChannels": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0441\u043e \u0432\u0441\u0435\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", + "OptionRecordAnytime": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \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", + "HeaderRepeatingOptions": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u043e\u0432\u0442\u043e\u0440\u0435\u043d\u0438\u044f", + "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.", + "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": "\u041f\u043e\u0434\u0440\u043e\u0431\u043d\u044b\u0435 \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "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": "\u041f\u0440\u0438 \u0431\u043e\u043b\u044c\u0448\u0435\u043c \u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u0435 \u0434\u043d\u0435\u0439 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0440\u0430\u043d\u043d\u0435\u0435 \u043f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u0431\u043e\u043b\u044c\u0448\u0435\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b, \u043d\u043e \u044d\u0442\u043e \u0437\u0430\u0439\u043c\u0451\u0442 \u0431\u043e\u043b\u044c\u0448\u0435 \u0432\u0440\u0435\u043c\u0435\u043d\u0438 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438. \u041f\u0440\u0438 \u0440\u0435\u0436\u0438\u043c\u0435 \u00ab\u0410\u0432\u0442\u043e\u00bb \u0432\u044b\u0431\u043e\u0440 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0447\u0438\u0441\u043b\u043e\u043c \u043a\u0430\u043d\u0430\u043b\u043e\u0432.", + "OptionAutomatic": "\u0410\u0432\u0442\u043e", + "HeaderServices": "\u0421\u043b\u0443\u0436\u0431\u044b", + "LiveTvPluginRequired": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c, \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 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430.", + "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", + "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430", + "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 \u043f\u0440\u0430\u0432\u043a\u0438 \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": "\u041d\u0430\u0433\u0440\u0430\u0434\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 \u043f\u043e\u0440\u043e\u0437\u043d\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 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u043f\u043e\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u0435\u0435", + "OptionMaxQualityTranscodingHelp": "\u041d\u0430\u0438\u043b\u0443\u0447\u0448\u0435\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u043f\u043e\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u0435\u0435, \u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0432\u044b\u0448\u0435", + "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 \u043f\u043e \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.", + "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", - "OptionAllowDeleteLibraryContent": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "LabelMetadataPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0435 \u0440\u0430\u0441\u043f\u043e\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0439 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0435\u0441\u043b\u0438 \u043e\u043d\u0438 \u043d\u0435 \u0445\u0440\u0430\u043d\u044f\u0442\u0441\u044f \u0432 \u043f\u0430\u043f\u043a\u0430\u0445 \u0441 \u043c\u0435\u0434\u0438\u0430.", - "HeaderDays": "\u0414\u043d\u0438", "LabelEnableDlnaPlayToHelp": "\u0412 Emby \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 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\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.", - "OptionAllowManageLiveTv": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u044c\u044e \u0441 \u0422\u0412-\u044d\u0444\u0438\u0440\u0430", - "LabelTranscodingTempPath": "\u041f\u0443\u0442\u044c \u043a\u043e \u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u043c \u0444\u0430\u0439\u043b\u0430\u043c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438:", - "HeaderActiveRecordings": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\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", - "OptionAllowRemoteControlOthers": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f\u043c\u0438", - "LabelTranscodingTempPathHelp": "\u0412 \u0434\u0430\u043d\u043d\u043e\u0439 \u043f\u0430\u043f\u043a\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0442\u0441\u044f \u0440\u0430\u0431\u043e\u0447\u0438\u0435 \u0444\u0430\u0439\u043b\u044b, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u043c\u044b\u0435 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435. \u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c, \u0438\u043b\u0438 \u043d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u0432\u043d\u0443\u0442\u0440\u0438 \u043f\u0430\u043f\u043a\u0438 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 data.", - "HeaderLatestRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", "LabelEnableDlnaDebugLoggingHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u043e\u0431\u044a\u0451\u043c\u0438\u0441\u0442\u044b\u0435 \u0444\u0430\u0439\u043b\u044b \u0416\u0443\u0440\u043d\u0430\u043b\u0430, \u0430 \u044d\u0442\u043e \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u043f\u043e \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.", - "TabBasics": "\u041e\u0441\u043d\u043e\u0432\u043d\u044b\u0435", - "HeaderAllRecordings": "\u0412\u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", "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", - "LabelEnterConnectUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u042d-\u043f\u043e\u0447\u0442\u0430:", - "TabTV": "\u0422\u0412", - "LabelService": "\u0421\u043b\u0443\u0436\u0431\u0430:", - "ButtonPlay": "\u0412\u043e\u0441\u043f\u0440.", "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 SSDP-\u0437\u0430\u043f\u0440\u043e\u0441\u0430\u043c\u0438 \u043e\u0442 Emby.", - "LabelEnterConnectUserNameHelp": "\u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432\u0430\u0448\u0438\u043c \u0438\u043c\u0435\u043d\u0435\u043c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u0435\u043c \u0441\u0435\u0442\u0435\u0432\u043e\u0439 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 Emby.", - "TabGames": "\u0418\u0433\u0440\u044b", - "LabelStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435:", - "ButtonEdit": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c", "HeaderCustomDlnaProfiles": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438", - "TabMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", - "LabelVersion": "\u0412\u0435\u0440\u0441\u0438\u044f:", - "ButtonRecord": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c", "HeaderSystemDlnaProfiles": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438", - "TabOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", - "LabelLastResult": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0439 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442:", - "ButtonDelete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c", "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.", - "HeaderExtractChapterImagesFor": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u0434\u043b\u044f:", - "OptionRecordSeries": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c \u0441\u0435\u0440\u0438\u0430\u043b", "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. \u041f\u0440\u0430\u0432\u043a\u0438 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044f \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.", - "OptionMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", - "HeaderDetails": "\u041f\u043e\u0434\u0440\u043e\u0431\u043d\u044b\u0435 \u0441\u0432\u0435\u0434\u0435\u043d\u0438\u044f", "TitleDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c", - "OptionEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", "TabHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435", - "OptionOtherVideos": "\u0414\u0440\u0443\u0433\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", "TabInfo": "\u0418\u043d\u0444\u043e", - "TitleMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435", "HeaderLinks": "\u0421\u0441\u044b\u043b\u043a\u0438", "HeaderSystemPaths": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0443\u0442\u0438", - "LabelAutomaticUpdatesTmdb": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0441 TheMovieDB.org", "LinkCommunity": "\u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e", - "LabelAutomaticUpdatesTvdb": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0441 TheTVDB.com", "LinkGithub": "GitHub", - "LabelAutomaticUpdatesFanartHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043d\u043e\u0432\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438, \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 fanart.tv. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", + "LinkApi": "API", "LinkApiDocumentation": "\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430\u0446\u0438\u044f \u043f\u043e API", - "LabelAutomaticUpdatesTmdbHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043d\u043e\u0432\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438, \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 TheMovieDB.org. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", "LabelFriendlyServerName": "\u041f\u043e\u043d\u044f\u0442\u043d\u043e\u0435 \u0438\u043c\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u0430:", - "LabelAutomaticUpdatesTvdbHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0439 \u043e\u043f\u0446\u0438\u0438 \u043d\u043e\u0432\u044b\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0435\u043d\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0441\u0440\u0430\u0437\u0443 \u043f\u0440\u0438 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0438 \u043d\u0430 TheTVDB.com. \u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u043c\u0435\u0449\u0430\u0442\u044c\u0441\u044f.", - "OptionFolderSort": "\u041f\u0430\u043f\u043a\u0438", "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 \u0434\u043b\u044f \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u0432\u0430\u043d\u0438\u044f \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0441\u0435\u0440\u0432\u0435\u0440\u0430. \u041f\u0440\u0438 \u043d\u0435\u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u043d\u043e\u043c \u043f\u043e\u043b\u0435 \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.", - "LabelConfigureServer": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 Emby", - "ExtractChapterImagesHelp": "\u0418\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0441\u0446\u0435\u043d \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043d\u044e \u0432\u044b\u0431\u043e\u0440\u0430 \u0441\u0446\u0435\u043d\u044b. \u0414\u0430\u043d\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c, \u043d\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0438 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043d\u0430\u0434\u043e\u0431\u0438\u0442\u044c\u0441\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0433\u0438\u0433\u0430\u0431\u0430\u0439\u0442 \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0430. \u041e\u043d \u0440\u0430\u0431\u043e\u0442\u0430\u0435\u0442 \u043f\u0440\u0438 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u0438 \u043d\u043e\u0432\u044b\u0445 \u0432\u0438\u0434\u0435\u043e, \u0430 \u0442\u0430\u043a\u0436\u0435, \u043a\u0430\u043a \u0437\u0430\u0434\u0430\u0447\u0430, \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u043d\u0430 \u043d\u043e\u0447\u044c. \u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0435\u0440\u0435\u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0445 \u0437\u0430\u0434\u0430\u0447. \u041d\u0435 \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0437\u0430\u043f\u0443\u0441\u043a\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0437\u0430\u0434\u0430\u0447\u0443 \u0432 \u0447\u0430\u0441\u044b \u043f\u0438\u043a.", - "OptionBackdrop": "\u0417\u0430\u0434\u043d\u0438\u043a", "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:", - "LabelMetadataDownloadLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e:", - "TitleLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", "LabelPreferredDisplayLanguageHelp": "\u041f\u0435\u0440\u0435\u0432\u043e\u0434 Emby - \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0430\u044e\u0449\u0438\u0439\u0441\u044f \u043f\u0440\u043e\u0435\u043a\u0442 \u0438 \u0435\u0449\u0451 \u043d\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0451\u043d.", - "ButtonAutoScroll": "\u0410\u0432\u0442\u043e\u043f\u0440\u043e\u043a\u0440\u0443\u0442\u043a\u0430...", - "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:", "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", + "ButtonSubmit": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u044c", + "ButtonCreate": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c", + "LabelCustomCss": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 CSS:", + "LabelCustomCssHelp": "\u041f\u0440\u0438\u043c\u0435\u043d\u044f\u0439\u0442\u0435 \u0441\u0432\u043e\u0438 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 CSS \u043a \u0432\u0435\u0431-\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0443.", + "LabelLocalHttpServerPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e HTTP-\u043f\u043e\u0440\u0442\u0430:", + "LabelLocalHttpServerPortNumberHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443 HTTP-\u0441\u0435\u0440\u0432\u0435\u0440\u0430 Emby.", + "LabelPublicHttpPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e HTTP-\u043f\u043e\u0440\u0442\u0430:", + "LabelPublicHttpPortHelp": "\u041f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c HTTP-\u043f\u043e\u0440\u0442\u043e\u043c.", + "LabelPublicHttpsPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e HTTPS-\u043f\u043e\u0440\u0442\u0430:", + "LabelPublicHttpsPortHelp": "\u041f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c HTTPS-\u043f\u043e\u0440\u0442\u043e\u043c.", + "LabelEnableHttps": "\u041e\u0442\u0434\u0430\u0432\u0430\u0442\u044c HTTPS \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0430\u0434\u0440\u0435\u0441\u0430", + "LabelEnableHttpsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0439 \u043e\u043f\u0446\u0438\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u043e\u0442\u0434\u0430\u0451\u0442 HTTPS URL \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0432 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435 \u0435\u0433\u043e \u0432\u043d\u0435\u0448\u043d\u0435\u0433\u043e \u0430\u0434\u0440\u0435\u0441\u0430.", + "LabelHttpsPort": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e HTTPS-\u043f\u043e\u0440\u0442\u0430:", + "LabelHttpsPortHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443 HTTPS-\u0441\u0435\u0440\u0432\u0435\u0440\u0430 Emby.", + "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 WAN-\u0430\u0434\u0440\u0435\u0441:", + "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. \u042d\u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c\u0438 \u043f\u0440\u0438 \u0443\u0434\u0430\u043b\u0435\u043d\u043d\u043e\u043c \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438. \u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435 \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0433\u043e \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f.", + "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": "\u0418\u043c\u044f (\u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435)", + "HeaderDate": "\u0414\u0430\u0442\u0430", + "HeaderSource": "\u0418\u0441\u0442\u043e\u0447\u043d\u0438\u043a", + "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:", + "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\u0438\u0442\u0435 \u043a\u043e\u043c\u0430\u043d\u0434\u0443 Emby", + "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 \u0434\u0440\u0443\u0433\u0438\u0435 \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0435 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u044b, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u043c\u044b \u043f\u043e\u043b\u0430\u0433\u0430\u0435\u043c\u0441\u044f.", + "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\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \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": "\u0421\u043c. \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u0437\u0430\u0434\u0430\u0447\u0438", + "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\u043d\u043e\u0441\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", + "HeaderHelpImproveProject": "\u041f\u043e\u043c\u043e\u0433\u0438\u0442\u0435 \u0443\u043b\u0443\u0447\u0448\u0438\u0442\u044c Emby", + "HeaderRunningTasks": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u044e\u0449\u0438\u0435\u0441\u044f \u0437\u0430\u0434\u0430\u0447\u0438", + "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", + "HeaderServerInformation": "\u041e \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", - "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\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \u00ab\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043a\u0430\u043d\u0430\u043b\u043e\u0432\u00bb.", - "ButtonOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b...", - "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", "ButtonRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c", - "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:", - "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", "ButtonShutdown": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u0440\u0430\u0431\u043e\u0442\u0443", - "LabelChannelDownloadPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\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. \u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \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\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u0443\u044e \u043f\u0430\u043f\u043a\u0443 data.", - "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d", "ButtonUpdateNow": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e", - "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:", - "NotificationOptionPluginUninstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0434\u0430\u043b\u0451\u043d", + "TabHosting": "\u0420\u0430\u0437\u043c\u0435\u0449\u0435\u043d\u0438\u0435", "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.", - "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. \u0415\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u044c \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0438 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.", - "NotificationOptionTaskFailed": "\u0421\u0431\u043e\u0439 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0439 \u0437\u0430\u0434\u0430\u0447\u0438", "NewServerVersionAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u043e\u0432\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f Emby Server!", - "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.", - "NotificationOptionInstallationFailed": "\u0421\u0431\u043e\u0439 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438", "ServerUpToDate": "Emby Server - \u0441 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u043c\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f\u043c\u0438", + "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\u0432\u043e\u0434 \u043a\u043b\u044e\u0447\u0430", + "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\u0432\u0435\u0441\u0442\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043d\u0430 \u0441\u0442\u0430\u0440\u043e\u043c \u043a\u043b\u044e\u0447\u0435 \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 \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u043d\u043e\u0439 \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": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043a\u043b\u044e\u0447?", + "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 \u043f\u043e\u043b\u0443\u0447\u0430\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0430\u043d\u043d\u044b\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u043c \u0434\u043b\u044f Emby.", + "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 Emby. \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 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \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 Emby.", + "LabelEnableBlastAliveMessages": "\u0411\u043e\u043c\u0431\u0430\u0440\u0434\u0438\u0440\u043e\u0432\u0430\u0442\u044c \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", + "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 \u043e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\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\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \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 \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \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": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043f\u043e\u0433\u043e\u0434\u044b \u0434\u043b\u044f \u043c\u0435\u0441\u0442\u043d\u043e\u0441\u0442\u0438:", + "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:", + "OptionCelsius": "\u00b0\u0421", + "OptionFahrenheit": "\u00b0F", + "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-\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u0437\u0430\u043f-\u043d\u043e", + "NotificationOptionAudioPlayback": "\u0412\u043e\u0441\u043f\u0440-\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u0437\u0430\u043f-\u043d\u043e", + "NotificationOptionGamePlayback": "\u0412\u043e\u0441\u043f\u0440-\u0438\u0435 \u0438\u0433\u0440\u044b \u0437\u0430\u043f-\u043d\u043e", + "NotificationOptionVideoPlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u043e\u0441\u0442-\u043d\u043e", + "NotificationOptionAudioPlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u043e\u0441\u0442-\u043d\u043e", + "NotificationOptionGamePlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0438\u0433\u0440\u044b \u043e\u0441\u0442-\u043d\u043e", + "NotificationOptionTaskFailed": "\u0421\u0431\u043e\u0439 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0439 \u0437\u0430\u0434\u0430\u0447\u0438", + "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)", + "NotificationOptionCameraImageUploaded": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u044f \u0441 \u043a\u0430\u043c\u0435\u0440\u044b \u0432\u044b\u043b\u043e\u0436\u0435\u043d\u0430", + "NotificationOptionUserLockedOut": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", + "HeaderSendNotificationHelp": "\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\u043e \u0432\u0445\u043e\u0434\u044f\u0449\u0438\u0435 \u0438\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438. \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.", + "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", - "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:", + "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:", - "ButtonNext": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0435...", - "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.", "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\u0434\u0435\u043b\u0430\u0442\u044c \u0441\u043d\u0438\u043c\u043e\u043a \u044d\u043a\u0440\u0430\u043d\u0430", + "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": "\u0420\u0435\u0436\u0438\u043c \u043f\u043e\u043b\u043d\u043e\u0433\u043e \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\u0435...", - "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 \u0438 \u0443\u043c\u0435\u043d\u044c\u0448\u0438\u0442 \u0432\u0435\u0440\u043e\u044f\u0442\u043d\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u0438\u0434\u0435\u043e.", + "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": "\u041f\u043e\u0432\u044b\u0441\u0438\u0442\u044c \u0433\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c", + "ButtonVolumeDown": "\u041f\u043e\u043d\u0438\u0437\u0438\u0442\u044c \u0433\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c", + "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. \u041f\u043e\u043b\u0435 \u043c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043d\u0435\u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u043d\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.", - "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", "LabelProfileContainersHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u044e\u0442\u0441\u044f \u0437\u0430\u043f\u044f\u0442\u043e\u0439. \u041f\u043e\u043b\u0435 \u043c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043d\u0435\u0437\u0430\u043f\u043e\u043b\u043d\u0435\u043d\u043d\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.", - "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.", "HeaderResponseProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043e\u0442\u043a\u043b\u0438\u043a\u0430", "LabelType": "\u0422\u0438\u043f:", - "HeaderHelpImproveProject": "\u041f\u043e\u043c\u043e\u0433\u0438\u0442\u0435 \u0443\u043b\u0443\u0447\u0448\u0438\u0442\u044c Emby", + "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:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "\u0410\u0443\u0434\u0438\u043e \u043a\u043e\u0434\u0435\u043a\u0438:", "LabelProfileCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438:", - "PluginTabAppTheater": "Emby Theater", "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", - "ButtonClose": "\u0417\u0430\u043a\u0440\u044b\u0442\u044c", - "TabView": "\u0412\u0438\u0434", - "TabSort": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a", "HeaderTranscodingProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438", - "HeaderBecomeProjectSupporter": "\u0421\u0442\u0430\u043d\u044c\u0442\u0435 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c Emby", - "OptionNone": "\u041d\u0438\u0447\u0435\u0433\u043e", - "TabFilter": "\u0424\u0438\u043b\u044c\u0442\u0440\u044b", - "HeaderLiveTv": "\u0422\u0412-\u044d\u0444\u0438\u0440", - "ButtonView": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c", "HeaderCodecProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u0434\u0435\u043a\u043e\u0432", - "HeaderReports": "\u041e\u0442\u0447\u0451\u0442\u044b", - "LabelPageSize": "\u041f\u0440\u0435\u0434\u0435\u043b \u044d\u043b\u0435\u043c\u0435\u043d\u0442\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.", - "HeaderMetadataManager": "\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "LabelView": "\u041f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435:", - "ViewTypePlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "HeaderPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", "HeaderContainerProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0430", - "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...", - "ButtonMarkRead": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a \u043f\u0440\u043e\u0447\u0442\u0451\u043d\u043d\u043e\u0435", "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.", - "LabelAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438:", - "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", "OptionProfileVideo": "\u0412\u0438\u0434\u0435\u043e", - "NotificationOptionVideoPlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u043e\u0441\u0442-\u043d\u043e", "OptionProfileAudio": "\u0410\u0443\u0434\u0438\u043e", - "HeaderMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b", "OptionProfileVideoAudio": "\u0412\u0438\u0434\u0435\u043e \u0410\u0443\u0434\u0438\u043e", - "NotificationOptionAudioPlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u043e\u0441\u0442-\u043d\u043e", - "ButtonVolumeUp": "\u041f\u043e\u0432\u044b\u0441\u0438\u0442\u044c \u0433\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c", - "OptionLatestTvRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438", - "NotificationOptionGamePlaybackStopped": "\u0412\u043e\u0441\u043f-\u0438\u0435 \u0438\u0433\u0440\u044b \u043e\u0441\u0442-\u043d\u043e", - "ButtonVolumeDown": "\u041f\u043e\u043d\u0438\u0437\u0438\u0442\u044c \u0433\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c", - "ButtonMute": "\u041e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a", "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. \u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u0442\u044c \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e.", - "ButtonArrowUp": "\u0412\u0432\u0435\u0440\u0445", "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", - "LabelChapterName": "\u0421\u0446\u0435\u043d\u0430 {0}", - "NotificationOptionCameraImageUploaded": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u044f \u0441 \u043a\u0430\u043c\u0435\u0440\u044b \u0432\u044b\u043b\u043e\u0436\u0435\u043d\u0430", - "ButtonArrowDown": "\u0412\u043d\u0438\u0437", "OptionPlainStorageFoldersHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438 \u043e\u043f\u0438\u0441\u044b\u0432\u0430\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.container.storageFolder\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u043a\u043e\u043d\u043a\u0440\u0435\u0442\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.container.person.musicArtist\u00bb.", - "HeaderNewApiKey": "\u041d\u043e\u0432\u044b\u0439 API-\u043a\u043b\u044e\u0447", - "ButtonArrowLeft": "\u0412\u043b\u0435\u0432\u043e", "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", - "LabelAppName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", - "ButtonArrowRight": "\u0412\u043f\u0440\u0430\u0432\u043e", - "LabelAppNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: Sickbeard, NzbDrone", - "TabNfo": "NFO-\u0444\u0430\u0439\u043b\u044b", - "ButtonBack": "\u041d\u0430\u0437\u0430\u0434", "OptionPlainVideoItemsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u0432\u0438\u0434\u0435\u043e \u043e\u043f\u0438\u0441\u044b\u0432\u0430\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.item.videoItem\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u043a\u043e\u043d\u043a\u0440\u0435\u0442\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.item.videoItem.movie\u00bb.", - "HeaderNewApiKeyHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044e \u043f\u0440\u0430\u0432\u0430 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u043a Emby Server.", - "ButtonInfo": "\u0418\u043d\u0444\u043e...", "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:", - "ButtonPageUp": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u0432\u0435\u0440\u0445", "TabIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435", - "ButtonPageDown": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u043d\u0438\u0437", + "HeaderIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435", "TabDirectPlay": "\u041f\u0440\u044f\u043c\u043e\u0435 \u0432\u043e\u0441\u043f\u0440.", - "PageAbbreviation": "\u0421\u0422\u0420", "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u044b", - "ButtonHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435...", "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438", - "LabelChannelDownloadSizeLimitHelpText": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u044c\u0442\u0435 \u0440\u0430\u0437\u043c\u0435\u0440 \u043f\u0430\u043f\u043a\u0438 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432.", - "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b...", "TabResponses": "\u041e\u0442\u043a\u043b\u0438\u043a\u0438", - "ButtonTakeScreenshot": "\u0421\u0434\u0435\u043b\u0430\u0442\u044c \u0441\u043d\u0438\u043c\u043e\u043a \u044d\u043a\u0440\u0430\u043d\u0430", "HeaderProfileInformation": "\u041e \u043f\u0440\u043e\u0444\u0438\u043b\u0435", - "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", "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", - "PageButtonAbbreviation": "\u0421\u0422\u0420", "LabelEmbedAlbumArtDidlHelp": "\u0414\u043b\u044f \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u0434\u0430\u043d\u043d\u044b\u0439 \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. \u041e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\u0435 \u043c\u043e\u0433\u0443\u0442 \u043f\u043e\u0442\u0435\u0440\u043f\u0435\u0442\u044c \u043d\u0435\u0443\u0434\u0430\u0447\u0443 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f, \u043f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u0434\u0430\u043d\u043d\u043e\u0439 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438.", - "LetterButtonAbbreviation": "\u0411\u041a\u0412", - "PlaceholderUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "TabNowPlaying": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0435", "LabelAlbumArtPN": "PN \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:", - "TabNavigation": "\u041d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f", "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:", - "ButtonFullscreen": "\u0420\u0435\u0436\u0438\u043c \u043f\u043e\u043b\u043d\u043e\u0433\u043e \u044d\u043a\u0440\u0430\u043d\u0430...", "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.", - "HeaderDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f", - "ButtonAudioTracks": "\u0410\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0438...", "LabelIconMaxWidth": "\u041c\u0430\u043a\u0441. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:", - "TabPlayTo": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u041d\u0430", - "HeaderFeatures": "\u041c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b", "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.", - "LabelEnableDlnaServer": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c DLNA-\u0441\u0435\u0440\u0432\u0435\u0440", - "HeaderAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", "LabelIconMaxHeight": "\u041c\u0430\u043a\u0441. \u0432\u044b\u0441\u043e\u0442\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:", - "LabelEnableDlnaServerHelp": "UPnP-\u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c \u0432 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \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 Emby.", "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.", - "LabelEnableBlastAliveMessages": "\u0411\u043e\u043c\u0431\u0430\u0440\u0434\u0438\u0440\u043e\u0432\u0430\u0442\u044c \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", "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.", - "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 \u043e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\u043c\u0438 UPnP \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0432 \u0441\u0435\u0442\u0438.", - "CategoryApplication": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435", "HeaderProfileServerSettingsHelp": "\u0414\u0430\u043d\u043d\u044b\u043c\u0438 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f\u043c\u0438 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u044e\u0442 \u0442\u0435\u043c, \u043a\u0430\u043a Emby Server \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u044f\u0442\u044c \u0441\u0435\u0431\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0443.", - "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", - "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d", "LabelMaxBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c:", - "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.", - "NotificationOptionPluginError": "\u0421\u0431\u043e\u0439 \u043f\u043b\u0430\u0433\u0438\u043d\u0430", "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.", - "LabelDefaultUser": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c:", + "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.", + "LabelMaxChromecastBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0434\u043b\u044f Chromecast:", + "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", - "HeaderServerInformation": "\u041e \u0441\u0435\u0440\u0432\u0435\u0440\u0435", - "LabelDefaultUserHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f, \u0447\u044c\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \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 \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u0440\u043e\u0444\u0438\u043b\u0435\u0439.", "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", - "ViewTypeMovies": "\u041a\u0438\u043d\u043e", "LabelManufacturerUrl": "URL \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044f", - "TabNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435", - "ViewTypeTvShows": "\u0422\u0412", "LabelModelName": "\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438", - "ViewTypeGames": "\u0418\u0433\u0440\u044b", "LabelModelNumber": "\u041d\u043e\u043c\u0435\u0440 \u043c\u043e\u0434\u0435\u043b\u0438", - "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", "LabelModelDescription": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438", - "LabelDisplayCollectionsViewHelp": "\u042d\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u0438\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u044b\u0439 \u0430\u0441\u043f\u0435\u043a\u0442 \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439, \u0441\u043e\u0437\u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0430\u043c\u0438 \u0438\u043b\u0438 \u043a \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u0438\u043c\u0435\u0435\u0442\u0435 \u0434\u043e\u0441\u0442\u0443\u043f. \u0427\u0442\u043e\u0431\u044b \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e, \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 \u043b\u044e\u0431\u043e\u0439 \u0444\u0438\u043b\u044c\u043c, \u0438 \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \"\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438\".", - "ViewTypeBoxSets": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", "LabelModelUrl": "URL \u043c\u043e\u0434\u0435\u043b\u0438", - "HeaderOtherDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f", "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", - "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:", "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.", - "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.", "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 \u0441\u043b\u0435\u0434\u0443\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c, \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.", - "ViewTypeLiveTvNowPlaying": "\u0412 \u044d\u0444\u0438\u0440\u0435", "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.", - "ViewTypeMusicFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", - "ViewTypeLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b", - "ViewTypeMusicSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", "LabelXDlnaCap": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 X-Dlna:", - "ViewTypeMusicFavoriteAlbums": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b", - "ViewTypeRecentlyPlayedGames": "C\u044b\u0433\u0440\u0430\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e", "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", - "ViewTypeMusicFavoriteArtists": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", - "ViewTypeGameFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", - "HeaderViewOrder": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432", "LabelXDlnaDoc": "\u0421\u0445\u0435\u043c\u0430 X-Dlna:", - "ViewTypeMusicFavoriteSongs": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438", - "HeaderHttpHeaders": "HTTP-\u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438", - "ViewTypeGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b", - "LabelSelectUserViewOrder": "\u0412\u044b\u0431\u043e\u0440 \u043f\u043e\u0440\u044f\u0434\u043a\u0430 \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439", "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", - "HeaderIdentificationHeader": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0434\u043b\u044f \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f", - "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u044b", - "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.", "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:", - "LabelValue": "\u0417\u043d\u0430\u0447\u0435\u043d\u0438\u0435:", - "ViewTypeTvResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", - "TabChapters": "\u0421\u0446\u0435\u043d\u044b", "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.", - "ViewTypeMusicGenres": "\u0416\u0430\u043d\u0440\u044b", - "LabelMatchType": "\u0422\u0438\u043f \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u044f:", - "ViewTypeTvNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435", + "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": "\u0412\u044b\u0434\u0430\u0432\u0430\u0442\u044c, \u0447\u0442\u043e \u0441\u0435\u0440\u0432\u0435\u0440 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u043e\u0431\u0430\u0439\u0442\u043e\u0432\u0443\u044e \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0443 \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": "\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 \u0432 Emby, \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 \u0438 \u0443\u043c\u0435\u043d\u044c\u0448\u0438\u0442 \u0432\u0435\u0440\u043e\u044f\u0442\u043d\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u0438\u0434\u0435\u043e.", + "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 \u0432 Emby, \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u043f\u043e\u043d\u044f\u0442\u043d\u044b\u0445 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0439 \u0441\u0446\u0435\u043d \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u044b \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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "\u0415\u0449\u0451", + "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", + "TabAppSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", + "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", + "HeaderOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b", + "HeaderIdentificationResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f", + "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:", + "OptionMyMediaButtons": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 (\u043a\u043d\u043e\u043f\u043a\u0438)", + "OptionMyMedia": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "OptionMyMediaSmall": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 (\u043a\u043e\u043c\u043f\u0430\u043a\u0442\u043d\u043e)", + "OptionResumablemedia": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\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", + "HeaderSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", + "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", + "PlaceholderUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", + "HeaderBecomeProjectSupporter": "\u0421\u0442\u0430\u043d\u044c\u0442\u0435 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c Emby", + "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\u043e\u0437\u0432\u043e\u043b\u044f\u044e\u0442 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u0441\u043e\u0431\u0440\u0430\u043d\u0438\u044f \u0444\u0438\u043b\u044c\u043c\u043e\u0432, \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432, \u0430\u043b\u044c\u0431\u043e\u043c\u043e\u0432, \u043a\u043d\u0438\u0433 \u0438 \u0438\u0433\u0440. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \"+\", \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c \u043a \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439.", + "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.", + "ButtonDismiss": "\u041f\u0440\u0435\u043a\u0440\u0430\u0442\u0438\u0442\u044c", + "ButtonEditOtherUserPreferences": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u0440\u0438\u0441\u0443\u043d\u043e\u043a \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\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \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 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\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. \u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \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\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u0443\u044e \u043f\u0430\u043f\u043a\u0443 data.", + "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. \u0415\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u044c \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0438 \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.", + "ButtonOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b...", + "ViewTypePlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "ViewTypeMovies": "\u041a\u0438\u043d\u043e", + "ViewTypeTvShows": "\u0422\u0412", + "ViewTypeGames": "\u0418\u0433\u0440\u044b", + "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430", + "ViewTypeMusicGenres": "\u0416\u0430\u043d\u0440\u044b", "ViewTypeMusicArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", - "OptionEquals": "\u0420\u0430\u0432\u043d\u043e", + "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\u043e\u0435", + "ViewTypeTvNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435", "ViewTypeTvLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435", - "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 \u0432 Emby, \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u043f\u043e\u043d\u044f\u0442\u043d\u044b\u0445 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0439 \u0441\u0446\u0435\u043d \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u044b \u0441\u0446\u0435\u043d, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, ChapterDb.", - "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:", - "OptionRegex": "\u0420\u0435\u0433. \u0432\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435", - "LabelTranscodingVideoCodec": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a:", - "OptionSubstring": "\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u043a\u0430", + "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u044b", - "LabelTranscodingVideoProfile": "\u0412\u0438\u0434\u0435\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:", + "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\u043e\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", + "ViewTypeMusicPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "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": "\u041e \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.", + "TabNfo": "NFO-\u0444\u0430\u0439\u043b\u044b", + "HeaderKodiMetadataHelp": "\u0412 Emby \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432 NFO-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445. \u0427\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0438\u043b\u0438 \u043e\u0442\u043a\u043b\u044e\u0447\u0430\u0442\u044c NFO-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \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, \u0434\u043b\u044f \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439 \u043f\u043e \u0442\u0438\u043f\u0430\u043c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.", + "LabelKodiMetadataUser": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0441 NFO \u0434\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:", + "LabelKodiMetadataUserHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0434\u0430\u043d\u043d\u044b\u0435 \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u043c \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u043b\u0438\u0441\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u043c\u0438 \u043c\u0435\u0436\u0434\u0443 Emby Server \u0438 NFO-\u0444\u0430\u0439\u043b\u0430\u043c\u0438.", + "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 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 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 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 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 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \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\u0435\u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0435\u043d\u043d\u043e \u0440\u044f\u0434\u043e\u043c \u0441 \u043e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\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", + "LabelDisplayCollectionsViewHelp": "\u042d\u0442\u043e \u043f\u043e\u0437\u0432\u043e\u043b\u0438\u0442 \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u044b\u0439 \u0430\u0441\u043f\u0435\u043a\u0442 \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439, \u0441\u043e\u0437\u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0430\u043c\u0438 \u0438\u043b\u0438 \u043a \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u0438\u043c\u0435\u0435\u0442\u0435 \u0434\u043e\u0441\u0442\u0443\u043f. \u0427\u0442\u043e\u0431\u044b \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e, \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 \u043b\u044e\u0431\u043e\u0439 \u0444\u0438\u043b\u044c\u043c, \u0438 \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \"\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438\".", + "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", - "LabelTranscodingAudioCodec": "\u0410\u0443\u0434\u0438\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:", - "ViewTypeMovieResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", "TabLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b", - "OptionEnableM2tsMode": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c M2ts", - "ViewTypeMovieLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435", "HeaderServerLogFiles": "\u0424\u0430\u0439\u043b\u044b \u0436\u0443\u0440\u043d\u0430\u043b\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0430:", - "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.", - "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", "TabBranding": "\u041e\u0444\u043e\u0440\u043c\u043b\u0435\u043d\u0438\u0435", - "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", - "HeaderPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", - "ViewTypeMovieCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", "HeaderBrandingHelp": "\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u0439\u0442\u0435 \u043e\u0444\u043e\u0440\u043c\u043b\u0435\u043d\u0438\u0435 Emby \u0432 \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0438 \u0441 \u043f\u043e\u0442\u0440\u0435\u0431\u043d\u043e\u0441\u0442\u044f\u043c\u0438 \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.", - "OptionReportByteRangeSeekingWhenTranscoding": "\u0412\u044b\u0434\u0430\u0432\u0430\u0442\u044c, \u0447\u0442\u043e \u0441\u0435\u0440\u0432\u0435\u0440 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u043e\u0431\u0430\u0439\u0442\u043e\u0432\u0443\u044e \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0443 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435", - "HeaderLocalAccess": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f", - "ViewTypeMovieFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435", "LabelLoginDisclaimer": "\u041f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\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.", - "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u044b", "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.", - "ViewTypeMusicLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435", "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", - "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", "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.", - "TabHosting": "\u0420\u0430\u0437\u043c\u0435\u0449\u0435\u043d\u0438\u0435", - "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", - "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:", - "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e...", - "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", - "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.", - "LabelHomePageSection4": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 4:", - "HeaderChapters": "\u0421\u0446\u0435\u043d\u044b", - "LabelSubtitlePlaybackMode": "\u0420\u0435\u0436\u0438\u043c \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432:", - "HeaderDownloadPeopleMetadataForHelp": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \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 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442 \u0431\u043e\u043b\u044c\u0448\u0435 \u044d\u043a\u0440\u0430\u043d\u043d\u043e\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438, \u043d\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0437\u0430\u043c\u0435\u0434\u043b\u0435\u043d\u0438\u044e \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.", - "ButtonLinkKeys": "\u041f\u0435\u0440\u0435\u0432\u043e\u0434 \u043a\u043b\u044e\u0447\u0430", - "OptionLatestChannelMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", - "HeaderResumeSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", - "ViewTypeFolders": "\u041f\u0430\u043f\u043a\u0438", - "LabelOldSupporterKey": "\u0421\u0442\u0430\u0440\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "HeaderLatestChannelItems": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432", - "LabelDisplayFoldersView": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0430\u0441\u043f\u0435\u043a\u0442 \u041f\u0430\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "LabelNewSupporterKey": "\u041d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "TitleRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435", - "ViewTypeLiveTvRecordingGroups": "\u0417\u0430\u043f\u0438\u0441\u0438", - "HeaderMultipleKeyLinking": "\u041f\u0435\u0440\u0435\u0445\u043e\u0434 \u043a \u043d\u043e\u0432\u043e\u043c\u0443 \u043a\u043b\u044e\u0447\u0443", - "ViewTypeLiveTvChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", - "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\u0432\u0435\u0441\u0442\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043d\u0430 \u0441\u0442\u0430\u0440\u043e\u043c \u043a\u043b\u044e\u0447\u0435 \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 \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u043d\u043e\u0439 \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": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043a\u043b\u044e\u0447?", - "TabControls": "\u0420\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u043a\u0438", - "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 \u043f\u043e\u043b\u0443\u0447\u0430\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0430\u043d\u043d\u044b\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u043c \u0434\u043b\u044f Emby.", - "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 Emby. \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.", - "HeaderEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b:", - "UserDownloadingItemWithValues": "{0} \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442 {1}", - "OptionMyMediaButtons": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 (\u043a\u043d\u043e\u043f\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", - "OptionMyMedia": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "OptionAllUsers": "\u0412\u0441\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "ButtonDismiss": "\u041f\u0440\u0435\u043a\u0440\u0430\u0442\u0438\u0442\u044c", - "OptionAdminUsers": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b", - "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", - "HeaderSearchForSubtitles": "\u041f\u043e\u0438\u0441\u043a \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", - "OptionCustomUsers": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435", - "ButtonMore": "\u0415\u0449\u0451...", - "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.", + "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": "\u0418\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438:", + "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:", "HeaderLatestMusic": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043c\u0443\u0437\u044b\u043a\u0438", - "OptionMyMediaSmall": "\u041c\u043e\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 (\u043a\u043e\u043c\u043f\u0430\u043a\u0442\u043d\u043e)", - "TabDisplay": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", "HeaderBranding": "\u041e\u0444\u043e\u0440\u043c\u043b\u0435\u043d\u0438\u0435", - "TabLanguages": "\u042f\u0437\u044b\u043a\u0438", "HeaderApiKeys": "API-\u043a\u043b\u044e\u0447\u0438", - "LabelGroupChannelsIntoViews": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \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:", "HeaderApiKeysHelp": "\u0412\u043d\u0435\u0448\u043d\u0438\u043c \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f\u043c \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f API-\u043a\u043b\u044e\u0447 \u0434\u043b\u044f \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u043a Emby Server. \u041a\u043b\u044e\u0447\u0438 \u0432\u044b\u0434\u0430\u044e\u0442\u0441\u044f \u043f\u0440\u0438 \u0432\u0445\u043e\u0434\u0435 \u0441 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u044c\u044e Emby \u0438\u043b\u0438 \u043a\u043b\u044e\u0447 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044e \u0432\u0440\u0443\u0447\u043d\u0443\u044e.", - "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\u0435\u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0435\u043d\u043d\u043e \u0440\u044f\u0434\u043e\u043c \u0441 \u043e\u0441\u0442\u0430\u043b\u044c\u043d\u044b\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.", - "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", "HeaderApiKey": "API-\u043a\u043b\u044e\u0447", - "HeaderSubtitleDownloadingHelp": "\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 \u0432 Emby, \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.", - "LabelEnableBackdrops": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0437\u0430\u0434\u043d\u0438\u043a\u043e\u0432", "HeaderApp": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435", - "HeaderDownloadSubtitlesFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0434\u043b\u044f:", - "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.", "HeaderDevice": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e", - "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.", "HeaderUser": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c", "HeaderDateIssued": "\u0414\u0430\u0442\u0430 \u0432\u044b\u0434\u0430\u0447\u0438", - "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "LabelOpenSubtitlesUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Open Subtitles:", - "OptionAuto": "\u0410\u0432\u0442\u043e", - "LabelOpenSubtitlesPassword": "\u041f\u0430\u0440\u043e\u043b\u044c Open Subtitles:", - "OptionYes": "\u0414\u0430", - "OptionNo": "\u041d\u0435\u0442", - "LabelDownloadLanguages": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0435 \u044f\u0437\u044b\u043a\u0438:", - "LabelHomePageSection1": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 1:", - "ButtonRegister": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f", - "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:", - "OptionResumablemedia": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u043e\u0435", - "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b", - "OptionLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", - "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", - "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", - "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", - "OptionLibraryFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", - "LabelEndingEpisodeNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430", + "LabelChapterName": "\u0421\u0446\u0435\u043d\u0430 {0}", + "HeaderNewApiKey": "\u041d\u043e\u0432\u044b\u0439 API-\u043a\u043b\u044e\u0447", + "LabelAppName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", + "LabelAppNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044e \u043f\u0440\u0430\u0432\u0430 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u043a Emby Server.", + "HeaderHttpHeaders": "HTTP-\u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438", + "HeaderIdentificationHeader": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0434\u043b\u044f \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f", + "LabelValue": "\u0417\u043d\u0430\u0447\u0435\u043d\u0438\u0435:", + "LabelMatchType": "\u0422\u0438\u043f \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u044f:", + "OptionEquals": "\u0420\u0430\u0432\u043d\u043e", + "OptionRegex": "\u0420\u0435\u0433. \u0432\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435", + "OptionSubstring": "\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u043a\u0430", + "TabView": "\u0412\u0438\u0434", + "TabSort": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a", + "TabFilter": "\u0424\u0438\u043b\u044c\u0442\u0440\u044b", + "ButtonView": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c", + "LabelPageSize": "\u041f\u0440\u0435\u0434\u0435\u043b \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432:", + "LabelPath": "\u041f\u0443\u0442\u044c:", + "LabelView": "\u041f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435:", + "TabUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "LabelSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", + "LabelDateAdded": "\u0414\u0430\u0442\u0430 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f:", + "HeaderFeatures": "\u041c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b", + "HeaderAdvanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u043e\u0435", + "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e...", + "TabScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a", + "HeaderChapters": "\u0421\u0446\u0435\u043d\u044b", + "HeaderResumeSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f", + "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "TitleUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "LabelProtocol": "\u041f\u0440\u043e\u0442\u043e\u043a\u043e\u043b:", + "OptionProtocolHttp": "HTTP", + "OptionProtocolHls": "\u041f\u0440\u044f\u043c\u0430\u044f HTTP-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f (HLS)", + "LabelContext": "\u041a\u043e\u043d\u0442\u0435\u043a\u0441\u0442:", + "OptionContextStreaming": "\u0422\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f", + "OptionContextStatic": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "ButtonAddToPlaylist": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a \u0441\u043f\u0438\u0441\u043a\u0443 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", + "TabPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "ButtonClose": "\u0417\u0430\u043a\u0440\u044b\u0442\u044c", "LabelAllLanguages": "\u0412\u0441\u0435 \u044f\u0437\u044b\u043a\u0438", "HeaderBrowseOnlineImages": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432 \u0441\u0435\u0442\u0438", "LabelSource": "\u041e\u0442\u043a\u0443\u0434\u0430:", @@ -939,509 +1067,388 @@ "LabelImage": "\u0420\u0438\u0441\u0443\u043d\u043e\u043a:", "ButtonBrowseImages": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043a\u0438", "HeaderImages": "\u0420\u0438\u0441\u0443\u043d\u043a\u0438", - "LabelReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430:", "HeaderBackdrops": "\u0417\u0430\u0434\u043d\u0438\u043a\u0438", - "HeaderOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b", - "LabelWeatherDisplayLocation": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043f\u043e\u0433\u043e\u0434\u044b \u0434\u043b\u044f \u043c\u0435\u0441\u0442\u043d\u043e\u0441\u0442\u0438:", - "TabUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "LabelMaxChromecastBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0434\u043b\u044f Chromecast:", - "LabelEndDate": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u0434\u0430\u0442\u0430:", "HeaderScreenshots": "\u0421\u043d\u0438\u043c\u043a\u0438 \u044d\u043a\u0440\u0430\u043d\u0430", - "HeaderIdentificationResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f", - "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", - "LabelYear": "\u0413\u043e\u0434:", "HeaderAddUpdateImage": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435\/\u041e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\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:", "LabelJpgPngOnly": "\u0422\u043e\u043b\u044c\u043a\u043e JPG\/PNG", - "OptionCelsius": "\u00b0\u0421", - "TabAppSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", "LabelImageType": "\u0422\u0438\u043f \u0440\u0438\u0441\u0443\u043d\u043a\u0430:", - "HeaderActivity": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f", - "LabelChannelDownloadSizeLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0437\u043c\u0435\u0440\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e, \u0413\u0411:", - "OptionFahrenheit": "\u00b0F", "OptionPrimary": "\u041f\u0435\u0440\u0432\u0438\u0447\u043d\u044b\u0439", - "ScheduledTaskStartedWithName": "{0} - \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u0430", - "MessageLoadingContent": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435...", - "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:", "OptionArt": "\u0412\u0438\u043d\u044c\u0435\u0442\u043a\u0430", - "ScheduledTaskCancelledWithName": "{0} - \u0431\u044b\u043b\u0430 \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u0430", - "NotificationOptionUserLockedOut": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", - "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.", "OptionBox": "\u041a\u043e\u0440\u043e\u0431\u043a\u0430", - "ScheduledTaskCompletedWithName": "{0} - \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0430", - "OptionOtherApps": "\u0414\u0440\u0443\u0433\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", - "TabScheduledTasks": "\u041f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0449\u0438\u043a", "OptionBoxRear": "\u041a\u043e\u0440\u043e\u0431\u043a\u0430 \u0441\u0437\u0430\u0434\u0438", - "ScheduledTaskFailed": "\u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u0437\u0430\u0434\u0430\u0447\u0430 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0430", - "OptionMobileApps": "\u041c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f", "OptionDisc": "\u0414\u0438\u0441\u043a", - "PluginInstalledWithName": "{0} - \u0431\u044b\u043b\u043e \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", "OptionIcon": "\u0417\u043d\u0430\u0447\u043e\u043a", "OptionLogo": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f", - "PluginUpdatedWithName": "{0} - \u0431\u044b\u043b\u043e \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u043e", "OptionMenu": "\u041c\u0435\u043d\u044e", - "PluginUninstalledWithName": "{0} - \u0431\u044b\u043b\u043e \u0443\u0434\u0430\u043b\u0435\u043d\u043e", "OptionScreenshot": "\u0421\u043d\u0438\u043c\u043e\u043a \u044d\u043a\u0440\u0430\u043d\u0430", - "ButtonScenes": "\u0421\u0446\u0435\u043d\u044b...", - "ScheduledTaskFailedWithName": "{0} - \u043d\u0435\u0443\u0434\u0430\u0447\u043d\u0430", - "UserLockedOutWithName": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c {0} \u0431\u044b\u043b \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", "OptionLocked": "\u0417\u0430\u0444\u0438\u043a\u0441\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0435", - "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b...", - "ItemAddedWithName": "{0} (\u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e \u0432 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443)", "OptionUnidentified": "\u041d\u0435\u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u043d\u043e\u0435", - "ItemRemovedWithName": "{0} (\u0438\u0437\u044a\u044f\u0442\u043e \u0438\u0437 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438)", "OptionMissingParentalRating": "\u041d\u0435\u0442 \u0432\u043e\u0437\u0440\u0430\u0441\u0442. \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438", - "HeaderCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", - "DeviceOnlineWithName": "{0} - \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", "OptionStub": "\u0417\u0430\u0433\u043b\u0443\u0448\u043a\u0430", + "HeaderEpisodes": "\u042d\u043f\u0438\u0437\u043e\u0434\u044b:", + "OptionSeason0": "\u0421\u0435\u0437\u043e\u043d 0", + "LabelReport": "\u041e\u0442\u0447\u0451\u0442:", + "OptionReportSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", + "OptionReportSeries": "\u0422\u0412-\u0441\u0435\u0440\u0438\u0430\u043b\u044b", + "OptionReportSeasons": "\u0422\u0412-\u0441\u0435\u0437\u043e\u043d\u044b", + "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", + "OptionReportMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "OptionReportMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", + "OptionReportHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", + "OptionReportGames": "\u0418\u0433\u0440\u044b", + "OptionReportEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", + "OptionReportCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", + "OptionReportBooks": "\u041a\u043d\u0438\u0433\u0438", + "OptionReportArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", + "OptionReportAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", + "OptionReportAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", + "HeaderActivity": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f", + "ScheduledTaskStartedWithName": "{0} - \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u0430", + "ScheduledTaskCancelledWithName": "{0} - \u0431\u044b\u043b\u0430 \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u0430", + "ScheduledTaskCompletedWithName": "{0} - \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0430", + "ScheduledTaskFailed": "\u041d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u0430\u044f \u0437\u0430\u0434\u0430\u0447\u0430 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0430", + "PluginInstalledWithName": "{0} - \u0431\u044b\u043b\u043e \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", + "PluginUpdatedWithName": "{0} - \u0431\u044b\u043b\u043e \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u043e", + "PluginUninstalledWithName": "{0} - \u0431\u044b\u043b\u043e \u0443\u0434\u0430\u043b\u0435\u043d\u043e", + "ScheduledTaskFailedWithName": "{0} - \u043d\u0435\u0443\u0434\u0430\u0447\u043d\u0430", + "ItemAddedWithName": "{0} (\u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e \u0432 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443)", + "ItemRemovedWithName": "{0} (\u0438\u0437\u044a\u044f\u0442\u043e \u0438\u0437 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438)", + "DeviceOnlineWithName": "{0} - \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", "UserOnlineFromDevice": "{0} - \u043f\u043e\u0434\u043a\u043b. \u0441 {1} \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e", - "ButtonStop": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", "DeviceOfflineWithName": "{0} - \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u043f\u0440\u0435\u0440\u0432\u0430\u043d\u043e", - "OptionList": "\u0421\u043f\u0438\u0441\u043e\u043a", - "OptionSeason0": "\u0421\u0435\u0437\u043e\u043d 0", - "ButtonPause": "\u041f\u0440\u0438\u043e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c", "UserOfflineFromDevice": "{0} - \u043f\u043e\u0434\u043a\u043b. \u0441 {1} \u043f\u0440\u0435\u0440\u0432\u0430\u043d\u043e", - "TabDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c", - "LabelReport": "\u041e\u0442\u0447\u0451\u0442:", "SubtitlesDownloadedForItem": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b \u0434\u043b\u044f {0} \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u043b\u0438\u0441\u044c", - "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440", - "OptionReportSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438", "SubtitleDownloadFailureForItem": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b \u043a {0} \u043d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c", - "LabelCache": "\u041a\u0435\u0448:", - "OptionReportSeries": "\u0422\u0412-\u0441\u0435\u0440\u0438\u0430\u043b\u044b", "LabelRunningTimeValue": "\u0412\u0440\u0435\u043c\u044f \u0432\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u044f: {0}", - "LabelLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b:", - "OptionReportSeasons": "\u0422\u0412-\u0441\u0435\u0437\u043e\u043d\u044b", "LabelIpAddressValue": "IP-\u0430\u0434\u0440\u0435\u0441: {0}", - "LabelMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435:", - "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "ViewTypeMusicPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "UserLockedOutWithName": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c {0} \u0431\u044b\u043b \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", "UserConfigurationUpdatedWithName": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f \u043f\u043e\u043b\u044c\u0437-\u043b\u044f {0} \u0431\u044b\u043b\u0430 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0430", - "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)", - "LabelImagesByName": "\u0418\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u0438:", - "OptionReportMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "UserCreatedWithName": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c {0} \u0431\u044b\u043b \u0441\u043e\u0437\u0434\u0430\u043d", - "HeaderSendMessage": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\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:", - "OptionReportMovies": "\u0424\u0438\u043b\u044c\u043c\u044b", "UserPasswordChangedWithName": "\u041f\u0430\u0440\u043e\u043b\u044c \u043f\u043e\u043b\u044c\u0437-\u043b\u044f {0} \u0431\u044b\u043b \u0438\u0437\u043c\u0435\u043d\u0451\u043d", - "ButtonSend": "\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c", - "OptionReportHomeVideos": "\u0414\u043e\u043c\u0430\u0448\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e", "UserDeletedWithName": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c {0} \u0431\u044b\u043b \u0443\u0434\u0430\u043b\u0451\u043d", - "LabelMessageText": "\u0422\u0435\u043a\u0441\u0442 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f:", - "OptionReportGames": "\u0418\u0433\u0440\u044b", "MessageServerConfigurationUpdated": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0431\u044b\u043b\u0430 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0430", - "HeaderKodiMetadataHelp": "\u0412 Emby \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u0430 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432 NFO-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445. \u0427\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0438\u043b\u0438 \u043e\u0442\u043a\u043b\u044e\u0447\u0430\u0442\u044c NFO-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435, \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, \u0434\u043b\u044f \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439 \u043f\u043e \u0442\u0438\u043f\u0430\u043c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.", - "OptionReportEpisodes": "\u0422\u0412-\u044d\u043f\u0438\u0437\u043e\u0434\u044b", - "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430...", "MessageNamedServerConfigurationUpdatedWithValue": "\u041a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 (\u0440\u0430\u0437\u0434\u0435\u043b {0}) \u0431\u044b\u043b\u0430 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0430", - "LabelKodiMetadataUser": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0441 NFO \u0434\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:", - "OptionReportCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438", - "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server \u0431\u044b\u043b \u043e\u0431\u043d\u043e\u0432\u043b\u0451\u043d", - "LabelKodiMetadataUserHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0434\u0430\u043d\u043d\u044b\u0435 \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u043c \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u043b\u0438\u0441\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u043c\u0438 \u043c\u0435\u0436\u0434\u0443 Emby Server \u0438 NFO-\u0444\u0430\u0439\u043b\u0430\u043c\u0438.", - "OptionReportBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderServerSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0430", "AuthenticationSucceededWithUserName": "{0} - \u0430\u0432\u0442\u043e\u0440\u0438\u0437\u0430\u0446\u0438\u044f \u0443\u0441\u043f\u0435\u0448\u043d\u0430", - "LabelKodiMetadataDateFormat": "\u0424\u043e\u0440\u043c\u0430\u0442 \u0434\u0430\u0442\u044b \u0432\u044b\u043f\u0443\u0441\u043a\u0430:", - "OptionReportArtists": "\u0418\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438", "FailedLoginAttemptWithUserName": "{0} - \u043f\u043e\u043f\u044b\u0442\u043a\u0430 \u0432\u0445\u043e\u0434\u0430 \u043d\u0435\u0443\u0434\u0430\u0447\u043d\u0430", - "LabelKodiMetadataDateFormatHelp": "\u0412\u0441\u0435 \u0434\u0430\u0442\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 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.", - "ButtonAddToPlaylist": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043a \u0441\u043f\u0438\u0441\u043a\u0443 \u0432\u043e\u0441\u043f\u0440-\u0438\u044f", - "OptionReportAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b", + "UserDownloadingItemWithValues": "{0} \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442 {1}", "UserStartedPlayingItemWithValues": "{0} - \u0432\u043e\u0441\u043f\u0440-\u0438\u0435 \u00ab{1}\u00bb \u0437\u0430\u043f-\u043d\u043e", - "LabelKodiMetadataSaveImagePaths": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u043f\u0443\u0442\u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 NFO-\u0444\u0430\u0439\u043b\u043e\u0432", - "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", - "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.", - "OptionReportAdultVideos": "\u0412\u0437\u0440\u043e\u0441\u043b\u044b\u0435 \u0432\u0438\u0434\u0435\u043e", "UserStoppedPlayingItemWithValues": "{0} - \u0432\u043e\u0441\u043f\u0440-\u0438\u0435 \u00ab{1}\u00bb \u043e\u0441\u0442-\u043d\u043e", - "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.", "AppDeviceValues": "\u041f\u0440\u0438\u043b.: {0}, \u0423\u0441\u0442\u0440.: {1}", - "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:", - "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", - "LabelProtocolInfo": "\u041e \u043f\u0440\u043e\u0442\u043e\u043a\u043e\u043b\u0435:", "ProviderValue": "\u041f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a: {0}", + "LabelChannelDownloadSizeLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0437\u043c\u0435\u0440\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e, \u0413\u0411:", + "LabelChannelDownloadSizeLimitHelpText": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u044c\u0442\u0435 \u0440\u0430\u0437\u043c\u0435\u0440 \u043f\u0430\u043f\u043a\u0438 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432.", + "HeaderRecentActivity": "\u041d\u0435\u0434\u0430\u0432\u043d\u0438\u0435 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044f", + "HeaderPeople": "\u041b\u044e\u0434\u0438", + "HeaderDownloadPeopleMetadataFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0431\u0438\u043e\u0433\u0440\u0430\u0444\u0438\u0439 \u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0434\u043b\u044f:", + "OptionComposers": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u044b", + "OptionOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", + "HeaderDownloadPeopleMetadataForHelp": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \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 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442 \u0431\u043e\u043b\u044c\u0448\u0435 \u044d\u043a\u0440\u0430\u043d\u043d\u043e\u0439 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438, \u043d\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0437\u0430\u043c\u0435\u0434\u043b\u0435\u043d\u0438\u044e \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.", + "ViewTypeFolders": "\u041f\u0430\u043f\u043a\u0438", + "LabelDisplayFoldersView": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0430\u0441\u043f\u0435\u043a\u0442 \u041f\u0430\u043f\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438", + "ViewTypeLiveTvRecordingGroups": "\u0417\u0430\u043f\u0438\u0441\u0438", + "ViewTypeLiveTvChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", "LabelEasyPinCode": "\u0423\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434:", - "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.", - "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.", - "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.", - "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:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0421\u043c. \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439", - "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.", "EasyPasswordHelp": "\u0423\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u0430\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u0441 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0445 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439, \u0438 \u043c\u043e\u0436\u0435\u0442 \u0442\u0430\u043a\u0436\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0434\u043b\u044f \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u043e\u0433\u043e \u0432\u043d\u0443\u0442\u0440\u0438\u0441\u0435\u0442\u0435\u0432\u043e\u0433\u043e \u0432\u0445\u043e\u0434\u0430.", - "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.", - "LabelKodiMetadataEnableExtraThumbs": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c extrafanart \u0432\u043d\u0443\u0442\u0440\u044c extrathumbs", - "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.", - "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "LabelProtocol": "\u041f\u0440\u043e\u0442\u043e\u043a\u043e\u043b:", - "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.", - "TabPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "LabelPersonRole": "\u0420\u043e\u043b\u044c:", "LabelInNetworkSignInWithEasyPassword": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0432\u043d\u0443\u0442\u0440\u0438\u0441\u0435\u0442\u0435\u0432\u043e\u0439 \u0432\u0445\u043e\u0434 \u0441 \u043c\u043e\u0438\u043c \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u043c PIN-\u043a\u043e\u0434\u043e\u043c", - "TitleUsers": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "OptionProtocolHttp": "HTTP", - "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.", - "OptionProtocolHls": "\u041f\u0440\u044f\u043c\u0430\u044f HTTP-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f (HLS)", - "LabelPath": "\u041f\u0443\u0442\u044c:", - "HeaderIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435", "LabelInNetworkSignInWithEasyPasswordHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u044b \u0441\u043c\u043e\u0436\u0435\u0442\u0435 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0432\u0430\u0448 \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434 \u0434\u043b\u044f \u0432\u0445\u043e\u0434\u0430 \u0432 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u0438\u0437\u043d\u0443\u0442\u0440\u0438 \u0432\u0430\u0448\u0435\u0439 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \u0441\u0435\u0442\u0438. \u0412\u0430\u0448 \u043e\u0431\u044b\u0447\u043d\u044b\u0439 \u043f\u0430\u0440\u043e\u043b\u044c \u0431\u0443\u0434\u0435\u0442 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c \u0442\u043e\u043b\u044c\u043a\u043e \u0432\u043d\u0435 \u0434\u043e\u043c\u0430. \u0415\u0441\u043b\u0438 PIN-\u043a\u043e\u0434 \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u043c, \u0442\u043e \u0432\u0430\u043c \u043d\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u0430\u0440\u043e\u043b\u044c \u0432\u043d\u0443\u0442\u0440\u0438 \u0432\u0430\u0448\u0435\u0439 \u0434\u043e\u043c\u0430\u0448\u043d\u0435\u0439 \u0441\u0435\u0442\u0438.", - "LabelContext": "\u041a\u043e\u043d\u0442\u0435\u043a\u0441\u0442:", - "LabelSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", - "OptionContextStreaming": "\u0422\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f", - "LabelDateAdded": "\u0414\u0430\u0442\u0430 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f:", + "HeaderPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", + "HeaderLocalAccess": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f", + "HeaderViewOrder": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432", "ButtonResetEasyPassword": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u0439 PIN-\u043a\u043e\u0434", - "OptionContextStatic": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "LabelSelectUserViewOrder": "\u0412\u044b\u0431\u043e\u0440 \u043f\u043e\u0440\u044f\u0434\u043a\u0430 \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0439", "LabelMetadataRefreshMode": "\u0420\u0435\u0436\u0438\u043c \u043f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445:", - "ViewTypeChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", "LabelImageRefreshMode": "\u0420\u0435\u0436\u0438\u043c \u043f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:", - "ViewTypeLiveTV": "\u0422\u0412-\u044d\u0444\u0438\u0440", - "HeaderSendNotificationHelp": "\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\u043e \u0432\u0445\u043e\u0434\u044f\u0449\u0438\u0435 \u0438\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438. \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.", "OptionDownloadMissingImages": "\u041f\u043e\u0434\u0433\u0440\u0443\u0437\u043a\u0430 \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0445 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432", "OptionReplaceExistingImages": "\u0417\u0430\u043c\u0435\u043d\u0430 \u0438\u043c\u0435\u044e\u0449\u0438\u0445\u0441\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432", "OptionRefreshAllData": "\u041f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0432\u0441\u0435\u0445 \u0434\u0430\u043d\u043d\u044b\u0445", "OptionAddMissingDataOnly": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u043e\u043b\u044c\u043a\u043e \u043e\u0442\u0441\u0443\u0442-\u0438\u0445 \u0434\u0430\u043d\u043d\u044b\u0445", "OptionLocalRefreshOnly": "\u041f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u043e\u043b\u044c\u043a\u043e \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\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", "HeaderRefreshMetadata": "\u041f\u043e\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "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.", "HeaderPersonInfo": "\u041e \u043f\u0435\u0440\u0441\u043e\u043d\u0435", "HeaderIdentifyItem": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", "HeaderIdentifyItemHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u043e\u0434\u043d\u043e \u0438\u043b\u0438 \u0431\u043e\u043b\u0435\u0435 \u0443\u0441\u043b\u043e\u0432\u0438\u0439 \u043f\u043e\u0438\u0441\u043a\u0430. \u0414\u043b\u044f \u043f\u0440\u0438\u0440\u043e\u0441\u0442\u0430 \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u043e\u0432 \u043f\u043e\u0438\u0441\u043a\u0430 \u0443\u0431\u0435\u0440\u0438\u0442\u0435 \u0443\u0441\u043b\u043e\u0432\u0438\u0435.", - "HeaderLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435", + "HeaderConfirmDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f", "LabelFollowingFileWillBeDeleted": "\u0411\u0443\u0434\u0435\u0442 \u0443\u0434\u0430\u043b\u0451\u043d \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0439 \u0444\u0430\u0439\u043b:", "LabelIfYouWishToContinueWithDeletion": "\u0415\u0441\u043b\u0438 \u0432\u044b \u0445\u043e\u0442\u0438\u0442\u0435 \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c, \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435 \u044d\u0442\u043e, \u0432\u0432\u0435\u0434\u044f \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044f:", - "OptionSpecialFeatures": "\u0414\u043e\u043f. \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b", "ButtonIdentify": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u0442\u044c", "LabelAlbumArtist": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0439 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c:", + "LabelAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438:", "LabelAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", "LabelCommunityRating": "\u041e\u0431\u0449\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u0430\u044f \u043e\u0446\u0435\u043d\u043a\u0430:", "LabelVoteCount": "\u041f\u043e\u0434\u0441\u0447\u0451\u0442 \u0433\u043e\u043b\u043e\u0441\u043e\u0432:", - "ButtonSearch": "\u0412\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u044c \u043f\u043e\u0438\u0441\u043a", "LabelMetascore": "\u041e\u0446\u0435\u043d\u043a\u0430 Metascore:", "LabelCriticRating": "\u041e\u0446\u0435\u043d\u043a\u0430 \u043a\u0440\u0438\u0442\u0438\u043a\u043e\u0432:", "LabelCriticRatingSummary": "\u0421\u0432\u043e\u0434\u043a\u0430 \u043e\u0446\u0435\u043d\u043a\u0438 \u043a\u0440\u0438\u0442\u0438\u043a\u043e\u0432:", "LabelAwardSummary": "\u0421\u0432\u043e\u0434\u043a\u0430 \u043d\u0430\u0433\u0440\u0430\u0436\u0434\u0435\u043d\u0438\u0439:", - "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:", "LabelWebsite": "\u0412\u0435\u0431\u0441\u0430\u0439\u0442:", - "HeaderEpisodeFilePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0444\u0430\u0439\u043b\u0430 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", "LabelTagline": "\u041a\u043b\u044e\u0447\u0435\u0432\u0430\u044f \u0444\u0440\u0430\u0437\u0430:", - "LabelEpisodePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0434\u043b\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", "LabelOverview": "\u041e\u0431\u0437\u043e\u0440:", - "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:", "LabelShortOverview": "\u041a\u0440\u0430\u0442\u043a\u0438\u0439 \u043e\u0431\u0437\u043e\u0440:", - "HeaderSupportedPatterns": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u0448\u0430\u0431\u043b\u043e\u043d\u044b", - "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.", - "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:", + "LabelReleaseDate": "\u0414\u0430\u0442\u0430 \u0432\u044b\u043f\u0443\u0441\u043a\u0430:", + "LabelYear": "\u0413\u043e\u0434:", "LabelPlaceOfBirth": "\u041c\u0435\u0441\u0442\u043e \u0440\u043e\u0436\u0434\u0435\u043d\u0438\u044f:", - "HeaderTerm": "\u0412\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435", - "MessageNoCollectionsAvailable": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u044e\u0442 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u0441\u043e\u0431\u0440\u0430\u043d\u0438\u044f \u0444\u0438\u043b\u044c\u043c\u043e\u0432, \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432, \u0430\u043b\u044c\u0431\u043e\u043c\u043e\u0432, \u043a\u043d\u0438\u0433 \u0438 \u0438\u0433\u0440. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \"+\", \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u0441\u0442\u0443\u043f\u0438\u0442\u044c \u043a \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439.", - "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", + "LabelEndDate": "\u041a\u043e\u043d\u0435\u0447\u043d\u0430\u044f \u0434\u0430\u0442\u0430:", "LabelAirDate": "\u0414\u043d\u0438 \u044d\u0444\u0438\u0440\u0430:", - "HeaderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d", - "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:", "LabelAirTime:": "\u0412\u0440\u0435\u043c\u044f \u044d\u0444\u0438\u0440\u0430:", - "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.", - "HeaderResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442", - "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", "LabelRuntimeMinutes": "\u0414\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c, \u043c\u0438\u043d:", - "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", - "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", - "HeaderRecentActivity": "\u041d\u0435\u0434\u0430\u0432\u043d\u0438\u0435 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044f", "LabelParentalRating": "\u0412\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f:", - "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.", - "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u043d\u043e\u0435 \u043c\u0435\u043d\u044e...", - "HeaderPeople": "\u041b\u044e\u0434\u0438", "LabelCustomRating": "\u041f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f:", - "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:", - "MessageNoAvailablePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u043d\u0435 \u0438\u043c\u0435\u0435\u0442\u0441\u044f.", - "HeaderDownloadPeopleMetadataFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0431\u0438\u043e\u0433\u0440\u0430\u0444\u0438\u0439 \u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0434\u043b\u044f:", "LabelBudget": "\u0411\u044e\u0434\u0436\u0435\u0442", - "NotificationOptionVideoPlayback": "\u0412\u043e\u0441\u043f\u0440-\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u0437\u0430\u043f-\u043d\u043e", - "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", - "LabelDisplayPluginsFor": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u0434\u043b\u044f:", - "OptionComposers": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u044b", "LabelRevenue": "\u0412\u044b\u0440\u0443\u0447\u043a\u0430, $:", - "NotificationOptionAudioPlayback": "\u0412\u043e\u0441\u043f\u0440-\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u0437\u0430\u043f-\u043d\u043e", - "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", - "OptionOthers": "\u0414\u0440\u0443\u0433\u0438\u0435", "LabelOriginalAspectRatio": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435 \u0441\u043e\u043e\u0442-\u0438\u0435 \u0441\u0442\u043e\u0440\u043e\u043d:", - "NotificationOptionGamePlayback": "\u0412\u043e\u0441\u043f\u0440-\u0438\u0435 \u0438\u0433\u0440\u044b \u0437\u0430\u043f-\u043d\u043e", - "LabelTransferMethod": "\u041c\u0435\u0442\u043e\u0434 \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0430", "LabelPlayers": "\u0418\u0433\u0440\u043e\u043a\u0438:", - "OptionCopy": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", "Label3DFormat": "\u0424\u043e\u0440\u043c\u0430\u0442 3D:", - "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", - "OptionMove": "\u041f\u0435\u0440\u0435\u043c\u0435\u0449\u0435\u043d\u0438\u0435", "HeaderAlternateEpisodeNumbers": "\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u044b\u0435 \u043d\u043e\u043c\u0435\u0440\u0430 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432", - "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", - "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", "HeaderSpecialEpisodeInfo": "\u041e \u0441\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434\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:", - "HeaderLatestNews": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043d\u043e\u0432\u043e\u0441\u0442\u0438", - "ValueSeriesNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u0441\u0435\u0440\u0438\u0430\u043b\u0430", "HeaderExternalIds": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u0438\u0434\u0435\u043d\u0442\u0438\u0444\u0438\u043a\u0430\u0442\u043e\u0440\u044b:", - "LabelSendNotificationToUsers": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u0434\u043b\u044f:", - "ValueSeriesNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u0441\u0435\u0440\u0438\u0430\u043b\u0430", - "TitleChannels": "\u041a\u0430\u043d\u0430\u043b\u044b", - "HeaderRunningTasks": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u044e\u0449\u0438\u0435\u0441\u044f \u0437\u0430\u0434\u0430\u0447\u0438", - "HeaderConfirmDeletion": "\u041f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435 \u0443\u0434\u0430\u043b\u0435\u043d\u0438\u044f", - "ValueEpisodeNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u044d\u043f\u0438\u0437\u043e\u0434\u0430", - "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:", - "HeaderActiveDevices": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "ValueEpisodeNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u044d\u043f\u0438\u0437\u043e\u0434\u0430", - "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.", - "HeaderPendingInstallations": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438", - "HeaderTypeText": "\u0412\u0432\u043e\u0434 \u0442\u0435\u043a\u0441\u0442\u0430", - "OptionBestAvailableStreamQuality": "\u041d\u0430\u0438\u043b\u0443\u0447\u0448\u0435\u0435 \u0438\u043c\u0435\u044e\u0449\u0435\u0435\u0441\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:", - "LabelTypeText": "\u0422\u0435\u043a\u0441\u0442", - "ButtonEditOtherUserPreferences": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u0440\u0438\u0441\u0443\u043d\u043e\u043a \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.", - "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:", - "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", + "LabelDvdSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 DVD-\u0441\u0435\u0437\u043e\u043d\u0430:", + "LabelDvdEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 DVD-\u044d\u043f\u0438\u0437\u043e\u0434\u0430:", + "LabelAbsoluteEpisodeNumber": "\u0410\u0431\u0441\u043e\u043b\u044e\u0442\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", + "LabelAirsBeforeSeason": "\u041d-\u0440 \u0441\u0435\u0437\u043e\u043d\u0430 \u0434\u043b\u044f \u00abairs before\u00bb:", + "LabelAirsAfterSeason": "\u041d-\u0440 \u0441\u0435\u0437\u043e\u043d\u0430 \u0434\u043b\u044f \u00abairs after\u00bb:", "LabelAirsBeforeEpisode": "\u041d-\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430 \u0434\u043b\u044f \u00abairs before\u00bb:", "LabelTreatImageAs": "\u0422\u0440\u0430\u043a\u0442\u043e\u0432\u0430\u0442\u044c \u043e\u0431\u0440\u0430\u0437 \u043a\u0430\u043a:", - "ButtonReset": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c", "LabelDisplayOrder": "\u041f\u043e\u0440\u044f\u0434\u043e\u043a \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f:", "LabelDisplaySpecialsWithinSeasons": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0441\u043f\u0435\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0442\u0435\u0445 \u0441\u0435\u0437\u043e\u043d\u043e\u0432, \u043a\u043e\u0433\u0434\u0430 \u043e\u043d\u0438 \u0432\u044b\u0445\u043e\u0434\u0438\u043b\u0438 \u0432 \u044d\u0444\u0438\u0440", - "HeaderAddTag": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0435\u0433\u0430", - "LabelNativeExternalPlayersHelp": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u044e\u0442\u0441\u044f \u043a\u043d\u043e\u043f\u043a\u0438 \u0434\u043b\u044f \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 \u0432\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445.", "HeaderCountries": "\u0421\u0442\u0440\u0430\u043d\u044b", "HeaderGenres": "\u0416\u0430\u043d\u0440\u044b", - "LabelTag": "\u0422\u0435\u0433:", "HeaderPlotKeywords": "\u041a\u043b\u044e\u0447\u0435\u0432\u044b\u0435 \u0441\u043b\u043e\u0432\u0430 \u0441\u044e\u0436\u0435\u0442\u0430", - "LabelEnableItemPreviews": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", "HeaderStudios": "\u0421\u0442\u0443\u0434\u0438\u0438", "HeaderTags": "\u0422\u0435\u0433\u0438", "HeaderMetadataSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "LabelEnableItemPreviewsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0441\u043a\u043e\u043b\u044c\u0437\u044f\u0449\u0438\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u043f\u043e\u044f\u0432\u044f\u0442\u0441\u044f \u043d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u044d\u043a\u0440\u0430\u043d\u0430\u0445, \u0435\u0441\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0443\u0442\u044c \u043f\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0443.", "LabelLockItemToPreventChanges": "\u0417\u0430\u0444\u0438\u043a\u0441\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u043f\u0440\u0435\u0442\u0438\u0442\u044c \u0431\u0443\u0434\u0443\u0449\u0438\u0435 \u043f\u0440\u0430\u0432\u043a\u0438", - "LabelExternalPlayers": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438:", "MessageLeaveEmptyToInherit": "\u041d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u0442\u044c \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442 \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u0441\u043a\u043e\u0433\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430, \u0438\u043b\u0438 \u0433\u043b\u043e\u0431\u0430\u043b\u044c\u043d\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u043f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e.", - "LabelExternalPlayersHelp": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u044e\u0442\u0441\u044f \u043a\u043d\u043e\u043f\u043a\u0438 \u0434\u043b\u044f \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 \u0432\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445. \u041e\u043d\u0438 \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 URL-\u0441\u0445\u0435\u043c\u044b, \u043e\u0431\u044b\u0447\u043d\u043e, \u0432 Android \u0438 iOS. \u0412\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445, \u043a\u0430\u043a \u043f\u0440\u0430\u0432\u0438\u043b\u043e, \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0433\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f.", - "ButtonUnlockGuide": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0433\u0438\u0434", + "TabDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f", "HeaderDonationType": "\u0422\u0438\u043f \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f:", "OptionMakeOneTimeDonation": "\u0421\u0434\u0435\u043b\u0430\u0442\u044c \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u043e\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435", + "OptionOneTimeDescription": "\u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435\u043c \u043a\u043e\u043c\u0430\u043d\u0434\u0435 \u0434\u043b\u044f \u043f\u043e\u043a\u0430\u0437\u0430 \u0432\u0430\u0448\u0435\u0439 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0438. \u041d\u0435 \u0434\u0430\u0451\u0442 \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0445 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432 \u0438 \u043d\u0435 \u0431\u0443\u0434\u0435\u0442 \u0432\u044b\u043f\u0443\u0441\u043a\u0430\u0442\u044c\u0441\u044f \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", + "OptionLifeTimeSupporterMembership": "\u041f\u043e\u0436\u0438\u0437\u043d\u0435\u043d\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", + "OptionYearlySupporterMembership": "\u0413\u043e\u0434\u043e\u0432\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", + "OptionMonthlySupporterMembership": "\u041c\u0435\u0441\u044f\u0447\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", "OptionNoTrailer": "\u0411\u0435\u0437 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0430", "OptionNoThemeSong": "\u0411\u0435\u0437 \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0439 \u043c\u0435\u043b\u043e\u0434\u0438\u0438", "OptionNoThemeVideo": "\u0411\u0435\u0437 \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0433\u043e \u0432\u0438\u0434\u0435\u043e", "LabelOneTimeDonationAmount": "\u0421\u0443\u043c\u043c\u0430 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f:", - "ButtonLearnMore": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435", - "ButtonLearnMoreAboutEmbyConnect": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435 \u043e\u0431 Emby Connect", - "LabelNewUserNameHelp": "\u0418\u043c\u0435\u043d\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u043c\u043e\u0433\u0443\u0442 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0442\u044c \u0431\u0443\u043a\u0432\u044b (a-z), \u0446\u0438\u0444\u0440\u044b (0-9), \u0434\u0435\u0444\u0438\u0441\u044b (-), \u043f\u043e\u0434\u0447\u0451\u0440\u043a\u0438\u0432\u0430\u043d\u0438\u044f (_), \u0430\u043f\u043e\u0441\u0442\u0440\u043e\u0444\u044b (') \u0438 \u0442\u043e\u0447\u043a\u0438 (.)", - "OptionEnableExternalVideoPlayers": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0432\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438 \u0432\u0438\u0434\u0435\u043e", - "HeaderOptionalLinkEmbyAccount": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e: \u0421\u0432\u044f\u0437\u044b\u0432\u0430\u043d\u0438\u0435 \u0432\u0430\u0448\u0435\u0439 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 Emby", - "LabelEnableInternetMetadataForTvPrograms": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430 \u0434\u043b\u044f:", - "LabelCustomDeviceDisplayName": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", - "OptionTVMovies": "\u0422\u0412 \u0444\u0438\u043b\u044c\u043c\u044b", - "LabelCustomDeviceDisplayNameHelp": "\u041f\u0440\u0438\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u043e\u0435 \u0438\u043c\u044f \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u043d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0438\u043c\u044f, \u0432\u044b\u0434\u0430\u043d\u043d\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c.", - "HeaderInviteUser": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", - "HeaderUpcomingMovies": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b", - "HeaderInviteUserHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0432\u0430\u0448\u0438\u043c \u0434\u0440\u0443\u0437\u044c\u044f\u043c \u043e\u0431\u0449\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043a \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u043c \u0443\u043f\u0440\u043e\u0449\u0430\u0435\u0442\u0441\u044f \u0447\u0435\u0440\u0435\u0437 Emby Connect.", - "ButtonSendInvitation": "\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435", - "HeaderGuests": "\u0413\u043e\u0441\u0442\u0438", - "HeaderUpcomingPrograms": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438", - "HeaderLocalUsers": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "HeaderPendingInvitations": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u044f", - "LabelShowLibraryTileNames": "\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u044f \u043f\u043b\u0438\u0442\u043e\u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", - "LabelShowLibraryTileNamesHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f, \u0431\u0443\u0434\u0443\u0442 \u043b\u0438 \u043d\u0430\u0434\u043f\u0438\u0441\u0438 \u043f\u043e\u043a\u0430\u0437\u0430\u043d\u044b \u043f\u043e\u0434 \u043f\u043b\u0438\u0442\u043a\u0430\u043c\u0438 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u043d\u0430 \u0433\u043b\u0430\u0432\u043d\u043e\u0439 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435.", - "TitleDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "TabCameraUpload": "\u041a\u0430\u043c\u0435\u0440\u044b", - "HeaderCameraUploadHelp": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u043e\u0442\u0441\u043d\u044f\u0442\u044b\u0445 \u0444\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0439 \u0438 \u0432\u0438\u0434\u0435\u043e \u0438\u0437 \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u0432 Emby.", - "TabPhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", - "HeaderSchedule": "\u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435", - "MessageNoDevicesSupportCameraUpload": "\u041d\u0435\u0442 \u043a\u0430\u043a\u0438\u0445-\u043b\u0438\u0431\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u0441 \u043a\u0430\u043c\u0435\u0440\u044b.", - "OptionEveryday": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e", - "LabelCameraUploadPath": "\u041f\u0443\u0442\u044c \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u0435\u043c\u043e\u0433\u043e \u0441 \u043a\u0430\u043c\u0435\u0440\u044b:", - "OptionWeekdays": "\u0412 \u0431\u0443\u0434\u043d\u0438", - "LabelCameraUploadPathHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f, \u043f\u043e \u0436\u0435\u043b\u0430\u043d\u0438\u044e. \u0415\u0441\u043b\u0438 \u043d\u0435 \u0437\u0430\u0434\u0430\u043d\u043e, \u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0430 \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0430\u044f \u043f\u0430\u043f\u043a\u0430. \u0415\u0441\u043b\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c, \u0442\u043e \u0435\u0433\u043e \u0442\u0430\u043a\u0436\u0435 \u043d\u0430\u0434\u043e \u0431\u0443\u0434\u0435\u0442 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.", - "OptionWeekends": "\u0412\u044b\u0445\u043e\u0434\u043d\u044b\u0435", - "LabelCreateCameraUploadSubfolder": "\u0421\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c \u043f\u043e\u0434\u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "MessageProfileInfoSynced": "\u0414\u0430\u043d\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u043e\u0433\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0441 Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "\u041d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u044b \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0449\u0435\u043b\u0447\u043a\u0435 \u043d\u0430 \u043d\u0451\u043c \u0441\u043e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \"\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\".", - "TabVideos": "\u0412\u0438\u0434\u0435\u043e", - "ButtonTrailerReel": "\u0421\u043a\u043b\u0435\u0438\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "HeaderTrailerReel": "\u0421\u043a\u043b\u0435\u0439\u043a\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432", - "OptionPlayUnwatchedTrailersOnly": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0435\u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u044b\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b", - "HeaderTrailerReelHelp": "\u0417\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0435 \u0441\u043a\u043b\u0435\u0439\u043a\u0443 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0434\u043e\u043b\u0433\u043e\u0438\u0433\u0440\u0430\u044e\u0449\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", - "TabDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", - "MessageNoTrailersFound": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u044b. \u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0438\u043b\u0438\u0442\u044c \u0432\u0430\u0448\u0435 \u0432\u043f\u0435\u0447\u0430\u0442\u043b\u0435\u043d\u0438\u0435 \u043e\u0442 \u0444\u0438\u043b\u044c\u043c\u0430 \u043f\u0443\u0442\u0451\u043c \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441\u043e\u0431\u0440\u0430\u043d\u0438\u044f \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", - "HeaderWelcomeToEmby": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", - "OptionAllowSyncContent": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e", - "LabelDateAddedBehavior": "\u0414\u043b\u044f \u043d\u043e\u0432\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0437\u0430 \u0434\u0430\u0442\u0443 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u0438\u043d\u0438\u043c\u0430\u0435\u0442\u0441\u044f:", - "HeaderLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435", - "OptionDateAddedImportTime": "\u0414\u0430\u0442\u0430 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", - "EmbyIntroMessage": "\u0421 \u043f\u043e\u043c\u043e\u0449\u044c\u044e Emby \u0443\u0434\u043e\u0431\u043d\u043e \u0442\u0440\u0430\u043d\u0441\u043b\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u044b, \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u044b \u0438 \u0434\u0440\u0443\u0433\u0438\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u044b, \u043c\u0443\u0437\u044b\u043a\u0443 \u0438 \u0444\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438 \u0441 Emby Server.", - "HeaderChannelAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a\u043e \u043a\u0430\u043d\u0430\u043b\u0430\u043c", - "LabelEnableSingleImageInDidlLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0442\u044c \u0434\u043e \u0435\u0434\u0438\u043d\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0433\u043e \u0432\u043d\u0435\u0434\u0440\u0451\u043d\u043d\u043e\u0433\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u0430", - "OptionDateAddedFileTime": "\u0414\u0430\u0442\u0430 \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u0444\u0430\u0439\u043b\u0430", - "HeaderLatestItems": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b", - "LabelEnableSingleImageInDidlLimitHelp": "\u041d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445 \u043d\u0435 \u043e\u0442\u0440\u0438\u0441\u043e\u0432\u044b\u0432\u0430\u0435\u0442\u0441\u044f \u043d\u043e\u0440\u043c\u0430\u043b\u044c\u043d\u043e, \u0435\u0441\u043b\u0438 \u0432\u043d\u0435\u0434\u0440\u0435\u043d\u044b \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432\u043d\u0443\u0442\u0440\u0438 DIDL.", - "LabelDateAddedBehaviorHelp": "\u041f\u0440\u0438 \u043d\u0430\u043b\u0438\u0447\u0438\u0438 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u043e\u043d\u043e \u0432\u0441\u0435\u0433\u0434\u0430 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u043d\u043e, \u0447\u0435\u043c \u043b\u044e\u0431\u043e\u0439 \u0438\u0437 \u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0430\u0440\u0438\u0430\u043d\u0442\u043e\u0432.", - "LabelSelectLastestItemsFolders": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \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", - "LabelNumberTrailerToPlay": "\u0427\u0438\u0441\u043b\u043e \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432 \u0434\u043b\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f:", - "ButtonSkip": "\u041f\u0440\u043e\u043f\u0443\u0441\u0442\u0438\u0442\u044c", - "OptionAllowAudioPlaybackTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", - "OptionAllowVideoPlaybackTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", - "NameSeasonUnknown": "\u0421\u0435\u0437\u043e\u043d \u043d\u0435\u0438\u0437\u0432\u0435\u0441\u0442\u0435\u043d", - "NameSeasonNumber": "\u0421\u0435\u0437\u043e\u043d {0}", - "TextConnectToServerManually": "\u0421\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435 \u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0432\u0440\u0443\u0447\u043d\u0443\u044e", - "TabStreaming": "\u0422\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f", - "HeaderSubtitleProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", - "LabelRemoteClientBitrateLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0445 \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432, \u041c\u0431\u0438\u0442\/\u0441", - "HeaderSubtitleProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", - "OptionDisableUserPreferences": "\u0417\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u043c \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430\u043c", - "HeaderSubtitleProfilesHelp": "\u0412 \u043f\u0440\u043e\u0444\u0438\u043b\u044f\u0445 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043e\u043f\u0438\u0441\u044b\u0432\u0430\u044e\u0442\u0441\u044f \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c.", - "OptionDisableUserPreferencesHelp": "\u0415\u0441\u043b\u0438 \u0444\u043b\u0430\u0436\u043e\u043a \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d, \u0442\u043e \u0442\u043e\u043b\u044c\u043a\u043e \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u0441\u043c\u043e\u0433\u0443\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f, \u0440\u0438\u0441\u0443\u043d\u043a\u0438, \u043f\u0430\u0440\u043e\u043b\u0438 \u0438 \u044f\u0437\u044b\u043a\u043e\u0432\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438.", - "LabelFormat": "\u0424\u043e\u0440\u043c\u0430\u0442:", - "HeaderSelectServer": "\u0412\u044b\u0431\u043e\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u0430", - "ButtonConnect": "\u041f\u043e\u0434\u043a\u043b\u044e\u0447\u0438\u0442\u044c", - "LabelRemoteClientBitrateLimitHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0445 \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432. \u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0446\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0435\u0434\u043e\u0442\u0432\u0440\u0430\u0449\u0430\u0442\u044c \u0437\u0430\u043f\u0440\u0430\u0448\u0438\u0432\u0430\u043d\u0438\u0435 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c\u0438 \u0431\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438, \u0447\u0435\u043c \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u0430\u0442\u044c \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435.", - "LabelMethod": "\u041c\u0435\u0442\u043e\u0434:", - "MessageNoServersAvailableToConnect": "\u041d\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0445 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u0432 \u0434\u043b\u044f \u043f\u043e\u0434\u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f. \u0415\u0441\u043b\u0438 \u0432\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u043b\u0438 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043a \u043e\u0431\u0449\u0435\u043c\u0443 \u0434\u043e\u0441\u0442\u0443\u043f\u0443 \u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0443, \u0442\u043e \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435, \u0447\u0442\u043e \u043f\u0440\u0438\u043d\u044f\u043b\u0438 \u0435\u0433\u043e, \u043d\u0438\u0436\u0435, \u0438\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0443\u0432 \u043f\u043e \u0441\u0441\u044b\u043b\u043a\u0435 \u0432 \u044d-\u043f\u043e\u0447\u0442\u0435.", - "LabelDidlMode": "DIDL-\u0440\u0435\u0436\u0438\u043c:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "\u0412\u0445\u043e\u0434 \u0447\u0435\u0440\u0435\u0437 Emby Connect", - "OptionEmbedSubtitles": "\u0412\u043d\u0435\u0434\u0440\u0435\u043d\u0438\u0435 \u0432\u043d\u0443\u0442\u0440\u044c \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0430", - "OptionExternallyDownloaded": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0435", - "LabelServerHost": "\u0425\u043e\u0441\u0442:", - "CinemaModeConfigurationHelp2": "\u041e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438 \u0431\u0443\u0434\u0443\u0442 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u044b \u0432\u044b\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0432\u043e\u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0445 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043a.", - "OptionOneTimeDescription": "\u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435\u043c \u043a\u043e\u043c\u0430\u043d\u0434\u0435 \u0434\u043b\u044f \u043f\u043e\u043a\u0430\u0437\u0430 \u0432\u0430\u0448\u0435\u0439 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0438. \u041d\u0435 \u0434\u0430\u0451\u0442 \u043d\u0438\u043a\u0430\u043a\u0438\u0445 \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0445 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432 \u0438 \u043d\u0435 \u0431\u0443\u0434\u0435\u0442 \u0432\u044b\u043f\u0443\u0441\u043a\u0430\u0442\u044c\u0441\u044f \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430.", - "OptionHlsSegmentedSubtitles": "HLS-\u0441\u0435\u0433\u043c\u0435\u043d\u0442. \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b", - "LabelEnableCinemaMode": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430", + "ButtonDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c", + "ButtonPurchase": "\u041f\u0440\u0438\u043e\u0431\u0440\u0435\u0441\u0442\u0438", + "OptionActor": "\u0410\u043a\u0442\u0451\u0440", + "OptionComposer": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440", + "OptionDirector": "\u0420\u0435\u0436\u0438\u0441\u0441\u0451\u0440", + "OptionGuestStar": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0451\u043d\u043d\u044b\u0439 \u0430\u043a\u0442\u0451\u0440", + "OptionProducer": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440", + "OptionWriter": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0441\u0442", "LabelAirDays": "\u0414\u043d\u0438 \u044d\u0444\u0438\u0440\u0430:", - "HeaderCinemaMode": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430", "LabelAirTime": "\u0412\u0440\u0435\u043c\u044f \u044d\u0444\u0438\u0440\u0430:", "HeaderMediaInfo": "\u041e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", "HeaderPhotoInfo": "\u041e \u0444\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", - "OptionAllowContentDownloading": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0443 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "LabelServerHostHelp": "192.168.1.100 \u0438\u043b\u0438 https:\/\/myserver.com", - "TabDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f", - "OptionLifeTimeSupporterMembership": "\u041f\u043e\u0436\u0438\u0437\u043d\u0435\u043d\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "LabelServerPort": "\u041f\u043e\u0440\u0442:", - "OptionYearlySupporterMembership": "\u0413\u043e\u0434\u043e\u0432\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "LabelConversionCpuCoreLimit": "\u041f\u0440\u0435\u0434\u0435\u043b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043d\u044b\u0445 \u044f\u0434\u0435\u0440:", - "OptionMonthlySupporterMembership": "\u041c\u0435\u0441\u044f\u0447\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", - "LabelConversionCpuCoreLimitHelp": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0447\u0438\u0441\u043b\u043e \u044f\u0434\u0435\u0440 \u0446\u0435\u043d\u0442\u0440\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0434\u0435\u0439\u0441\u0442\u0432\u043e\u0432\u0430\u043d\u044b \u0432\u043e \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u043e\u043d\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u044f.", - "ButtonChangeServer": "\u0421\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440", - "OptionEnableFullSpeedConversion": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u043b\u043d\u043e\u0441\u043a\u043e\u0440\u043e\u0441\u0442\u043d\u043e\u0435 \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u0435", - "OptionEnableFullSpeedConversionHelp": "\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e, \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u043e\u043d\u043d\u043e\u0435 \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0438 \u043d\u0438\u0437\u043a\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438, \u0447\u0442\u043e\u0431\u044b \u043c\u0438\u043d\u0438\u043c\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u043e\u0442\u0440\u0435\u0431\u043b\u0435\u043d\u0438\u0435 \u0440\u0435\u0441\u0443\u0440\u0441\u043e\u0432.", - "HeaderConnectToServer": "\u0421\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435 \u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c", - "LabelBlockContentWithTags": "\u0411\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0441 \u0442\u0435\u0433\u0430\u043c\u0438:", "HeaderInstall": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430", "LabelSelectVersionToInstall": "\u0412\u044b\u0431\u043e\u0440 \u0432\u0435\u0440\u0441\u0438\u0438 \u0434\u043b\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438:", "LinkSupporterMembership": "\u0423\u0437\u043d\u0430\u0442\u044c \u043e \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u0435 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430", "MessageSupporterPluginRequiresMembership": "\u0414\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043f\u043e\u0441\u043b\u0435 \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0445 14 \u0434\u043d\u0435\u0439 \u043f\u0440\u043e\u0431\u043d\u043e\u0433\u043e \u043f\u0435\u0440\u0438\u043e\u0434\u0430.", "MessagePremiumPluginRequiresMembership": "\u0414\u043b\u044f \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u043e\u0431\u0440\u0435\u0441\u0442\u0438 \u0435\u0433\u043e \u043f\u043e\u0441\u043b\u0435 \u0431\u0435\u0441\u043f\u043b\u0430\u0442\u043d\u044b\u0445 14 \u0434\u043d\u0435\u0439 \u043f\u0440\u043e\u0431\u043d\u043e\u0433\u043e \u043f\u0435\u0440\u0438\u043e\u0434\u0430.", "HeaderReviews": "\u041e\u0442\u0437\u044b\u0432\u044b", - "LabelTagFilterMode": "\u0420\u0435\u0436\u0438\u043c:", "HeaderDeveloperInfo": "\u041e \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0447\u0438\u043a\u0430\u0445", "HeaderRevisionHistory": "\u0418\u0441\u0442\u043e\u0440\u0438\u044f \u0438\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u0439", "ButtonViewWebsite": "\u0421\u043c. \u0432\u0435\u0431\u0441\u0430\u0439\u0442", - "LabelTagFilterAllowModeHelp": "\u0415\u0441\u043b\u0438 \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u044b\u0435 \u0442\u0435\u0433\u0438 \u044f\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0447\u0430\u0441\u0442\u044c\u044e \u0441\u0442\u0440\u0443\u043a\u0442\u0443\u0440\u044b \u0433\u043b\u0443\u0431\u043e\u043a\u043e \u0432\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0445 \u043f\u0430\u043f\u043e\u043a, \u0442\u043e \u0434\u043b\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f, \u043f\u043e\u043c\u0435\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0442\u0435\u0433\u0430\u043c\u0438, \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f, \u0447\u0442\u043e\u0431\u044b \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u043f\u0430\u043f\u043a\u0438 \u0431\u044b\u043b\u0438 \u043f\u043e\u043c\u0435\u0447\u0435\u043d\u044b \u0442\u0430\u043a\u0436\u0435.", - "HeaderPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", - "LabelEnableFullScreen": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043f\u043e\u043b\u043d\u043e\u0433\u043e \u044d\u043a\u0440\u0430\u043d\u0430", - "OptionEnableTranscodingThrottle": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", - "LabelEnableChromecastAc3Passthrough": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u0440\u043e\u0445\u043e\u0434\u043d\u043e\u0439 AC3 \u043d\u0430 Chromecast", - "OptionEnableTranscodingThrottleHelp": "\u0420\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0431\u0443\u0434\u0435\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u043e\u0440\u0440\u0435\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u0434\u043b\u044f \u0442\u043e\u0433\u043e, \u0447\u0442\u043e\u0431\u044b \u043c\u0438\u043d\u0438\u043c\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0443 \u043d\u0430 \u0446\u0435\u043d\u0442\u0440\u0430\u043b\u044c\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.", - "LabelSyncPath": "\u041f\u0443\u0442\u044c \u043a \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u043c\u0443 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e:", - "OptionActor": "\u0410\u043a\u0442\u0451\u0440", - "ButtonDonate": "\u041f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c", - "TitleNewUser": "\u041d\u043e\u0432\u044b\u0439 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c", - "OptionComposer": "\u041a\u043e\u043c\u043f\u043e\u0437\u0438\u0442\u043e\u0440", - "ButtonConfigurePassword": "\u041d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c", - "OptionDirector": "\u0420\u0435\u0436\u0438\u0441\u0441\u0451\u0440", - "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 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \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.", - "OptionGuestStar": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0451\u043d\u043d\u044b\u0439 \u0430\u043a\u0442\u0451\u0440", - "OptionProducer": "\u041f\u0440\u043e\u0434\u044e\u0441\u0435\u0440", - "OptionWriter": "\u0421\u0446\u0435\u043d\u0430\u0440\u0438\u0441\u0442", "HeaderXmlSettings": "XML-\u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b", "HeaderXmlDocumentAttributes": "\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u044b XML-\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", - "ButtonSignInWithConnect": "\u0412\u043e\u0439\u0442\u0438 \u0447\u0435\u0440\u0435\u0437 Connect", "HeaderXmlDocumentAttribute": "\u0410\u0442\u0440\u0438\u0431\u0443\u0442 XML-\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", "XmlDocumentAttributeListHelp": "\u0414\u0430\u043d\u043d\u044b\u0435 \u0430\u0442\u0440\u0438\u0431\u0443\u0442\u044b \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u044e\u0442\u0441\u044f \u043a\u043e \u043a\u043e\u0440\u043d\u0435\u0432\u043e\u043c\u0443 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0443 \u043a\u0430\u0436\u0434\u043e\u0433\u043e XML-\u043e\u0442\u043a\u043b\u0438\u043a\u0430.", - "ValueSpecialEpisodeName": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434 - {0}", "OptionSaveMetadataAsHidden": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0432 \u0432\u0438\u0434\u0435 \u0441\u043a\u0440\u044b\u0442\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432", - "HeaderNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440", - "TabActivity": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f", - "TitleSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", - "HeaderShareMediaFolders": "\u041e\u0431\u0449\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0430\u043c", - "MessageGuestSharingPermissionsHelp": "\u041c\u043d\u043e\u0433\u0438\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \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\u043e \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438.", - "HeaderInvitations": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u044f", + "LabelExtractChaptersDuringLibraryScan": "\u0418\u0437\u0432\u043b\u0435\u043a\u0430\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "LabelExtractChaptersDuringLibraryScanHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u044b, \u043a\u043e\u0433\u0434\u0430 \u0432\u0438\u0434\u0435\u043e \u0438\u043c\u043f\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438. \u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u044b \u0432 \u0442\u0435\u0447\u0435\u043d\u0438\u0435 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \u00ab\u0420\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d\u00bb, \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u044f \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u043c\u0443 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u0437\u0430\u0432\u0435\u0440\u0448\u0430\u0442\u044c\u0441\u044f \u0431\u044b\u0441\u0442\u0440\u0435\u0435.", + "LabelConnectGuestUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Emby \u0438\u043b\u0438 \u0430\u0434\u0440\u0435\u0441 \u044d-\u043f\u043e\u0447\u0442\u044b:", + "LabelConnectUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Emby \/ \u044d-\u043f\u043e\u0447\u0442\u0430:", + "LabelConnectUserNameHelp": "\u0421\u043e\u0435\u0434\u0438\u043d\u044f\u0435\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f c \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u044c\u044e Emby, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u043c \u0432\u0445\u043e\u0434\u043e\u043c \u0438\u0437 \u043b\u044e\u0431\u043e\u0433\u043e Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u043d\u0435 \u0437\u043d\u0430\u044f IP-\u0430\u0434\u0440\u0435\u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.", + "ButtonLearnMoreAboutEmbyConnect": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435 \u043e\u0431 Emby Connect", + "LabelExternalPlayers": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438:", + "LabelExternalPlayersHelp": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u044e\u0442\u0441\u044f \u043a\u043d\u043e\u043f\u043a\u0438 \u0434\u043b\u044f \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 \u0432\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445. \u041e\u043d\u0438 \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 URL-\u0441\u0445\u0435\u043c\u044b, \u043e\u0431\u044b\u0447\u043d\u043e, \u0432 Android \u0438 iOS. \u0412\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445, \u043a\u0430\u043a \u043f\u0440\u0430\u0432\u0438\u043b\u043e, \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0433\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f.", + "LabelNativeExternalPlayersHelp": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u044e\u0442\u0441\u044f \u043a\u043d\u043e\u043f\u043a\u0438 \u0434\u043b\u044f \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 \u0432\u043e \u0432\u043d\u0435\u0448\u043d\u0438\u0445 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u044f\u0445.", + "LabelEnableItemPreviews": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430", + "LabelEnableItemPreviewsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0441\u043a\u043e\u043b\u044c\u0437\u044f\u0449\u0438\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u043f\u043e\u044f\u0432\u044f\u0442\u0441\u044f \u043d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u044d\u043a\u0440\u0430\u043d\u0430\u0445, \u0435\u0441\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0443\u0442\u044c \u043f\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0443.", + "HeaderSubtitleProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", + "HeaderSubtitleProfiles": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432", + "HeaderSubtitleProfilesHelp": "\u0412 \u043f\u0440\u043e\u0444\u0438\u043b\u044f\u0445 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043e\u043f\u0438\u0441\u044b\u0432\u0430\u044e\u0442\u0441\u044f \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c.", + "LabelFormat": "\u0424\u043e\u0440\u043c\u0430\u0442:", + "LabelMethod": "\u041c\u0435\u0442\u043e\u0434:", + "LabelDidlMode": "DIDL-\u0440\u0435\u0436\u0438\u043c:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "\u0412\u043d\u0435\u0434\u0440\u0435\u043d\u0438\u0435 \u0432\u043d\u0443\u0442\u0440\u044c \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0430", + "OptionExternallyDownloaded": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0435", + "OptionHlsSegmentedSubtitles": "HLS-\u0441\u0435\u0433\u043c\u0435\u043d\u0442. \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b", "LabelSubtitleFormatHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: srt", + "ButtonLearnMore": "\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435", + "TabPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435", "HeaderLanguagePreferences": "\u042f\u0437\u044b\u043a\u043e\u0432\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438", "TabCinemaMode": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430", "TitlePlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435", "LabelEnableCinemaModeFor": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0440\u0435\u0436\u0438\u043c\u0430 \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u0434\u043b\u044f:", "CinemaModeConfigurationHelp": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u043f\u0440\u0438\u0432\u043d\u043e\u0441\u0438\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043a\u0438\u043d\u043e\u0437\u0430\u043b\u0430 \u043f\u0440\u044f\u043c\u0438\u043a\u043e\u043c \u0432 \u0432\u0430\u0448\u0443 \u0433\u043e\u0441\u0442\u0438\u043d\u0443\u044e, \u0432\u043c\u0435\u0441\u0442\u0435 \u0441\u043e \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0438 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0435 \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0438 \u043f\u0435\u0440\u0435\u0434 \u0433\u043b\u0430\u0432\u043d\u044b\u043c \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u043e\u043c.", - "LabelExtractChaptersDuringLibraryScan": "\u0418\u0437\u0432\u043b\u0435\u043a\u0430\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", - "OptionReportList": "\u0421\u043f\u0438\u0441\u043a\u0438", "OptionTrailersFromMyMovies": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u0444\u0438\u043b\u044c\u043c\u0430\u043c \u0438\u043c\u0435\u044e\u0449\u0438\u043c\u0441\u044f \u0432 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435", "OptionUpcomingMoviesInTheaters": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u043d\u043e\u0432\u044b\u043c \u0438 \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u043c \u0444\u0438\u043b\u044c\u043c\u0430\u043c", - "LabelExtractChaptersDuringLibraryScanHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0440\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u044b, \u043a\u043e\u0433\u0434\u0430 \u0432\u0438\u0434\u0435\u043e \u0438\u043c\u043f\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438. \u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u0438\u0437\u0432\u043b\u0435\u0447\u0435\u043d\u044b \u0432 \u0442\u0435\u0447\u0435\u043d\u0438\u0435 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0439 \u0437\u0430\u0434\u0430\u0447\u0438 \u00ab\u0420\u0438\u0441\u0443\u043d\u043a\u0438 \u0441\u0446\u0435\u043d\u00bb, \u043f\u043e\u0437\u0432\u043e\u043b\u044f\u044f \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u043c\u0443 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u0437\u0430\u0432\u0435\u0440\u0448\u0430\u0442\u044c\u0441\u044f \u0431\u044b\u0441\u0442\u0440\u0435\u0435.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u0414\u043b\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0442\u0440\u0435\u0431\u0443\u044e\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u043a\u0430\u043d\u0430\u043b\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", "LabelLimitIntrosToUnwatchedContent": "\u0418\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u043a \u043d\u0435\u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u043c\u0443 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e", - "OptionReportStatistics": "\u0421\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043a\u0430", - "LabelSelectInternetTrailersForCinemaMode": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b:", "LabelEnableIntroParentalControl": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0438\u043d\u0442\u0435\u043b\u043b\u0435\u043a\u0442\u0443\u0430\u043b\u044c\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c", - "OptionUpcomingDvdMovies": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u043d\u043e\u0432\u044b\u043c \u0438 \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u043c \u0444\u0438\u043b\u044c\u043c\u0430\u043c \u043d\u0430 DVD \u0438 BluRay", "LabelEnableIntroParentalControlHelp": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0431\u0443\u0434\u0443\u0442 \u0432\u044b\u0431\u0438\u0440\u0430\u0442\u044c\u0441\u044f \u0441 \u0432\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u043e\u0439 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0435\u0439 \u0440\u0430\u0432\u043d\u043e\u0439 \u0438\u043b\u0438 \u043c\u0435\u043d\u044c\u0448\u0435\u0439, \u0447\u0435\u043c \u043f\u0440\u043e\u0441\u043c\u0430\u0442\u0440\u0438\u0432\u0430\u0435\u043c\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435.", - "HeaderThisUserIsCurrentlyDisabled": "\u042d\u0442\u043e\u0442 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0432 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", - "OptionUpcomingStreamingMovies": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u043d\u043e\u0432\u044b\u043c \u0438 \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u043c \u0444\u0438\u043b\u044c\u043c\u0430\u043c \u043d\u0430 Netflix", - "HeaderNewUsers": "\u041d\u043e\u0432\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", - "HeaderUpcomingSports": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u0441\u043f\u043e\u0440\u0442\u0438\u0432\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438", - "OptionReportGrouping": "\u0413\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", - "LabelDisplayTrailersWithinMovieSuggestions": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u044b\u0445 \u0444\u0438\u043b\u044c\u043c\u043e\u0432", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u0414\u043b\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u0442\u0440\u0435\u0431\u0443\u044e\u0442\u0441\u044f \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0447\u043b\u0435\u043d\u0441\u0442\u0432\u043e \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u043a\u0430\u043d\u0430\u043b\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", "OptionTrailersFromMyMoviesHelp": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0445 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", - "ButtonSignUp": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043a\u0430\u043d\u0430\u043b\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", "LabelCustomIntrosPath": "\u041f\u0443\u0442\u044c \u043a \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u043c \u0437\u0430\u0441\u0442\u0430\u0432\u043a\u0430\u043c:", - "MessageReenableUser": "\u0421\u043c. \u043d\u0438\u0436\u0435 \u0434\u043b\u044f \u0440\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u043a\u0438", "LabelCustomIntrosPathHelp": "\u041f\u0430\u043f\u043a\u0430, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0430\u044f \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u044b. \u0421\u043b\u0443\u0447\u0430\u0439\u043d\u043e \u0432\u044b\u0431\u0440\u0430\u043d\u043d\u043e\u0435 \u0432\u0438\u0434\u0435\u043e \u0431\u0443\u0434\u0435\u0442 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u043e \u043f\u043e\u0441\u043b\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", - "LabelUploadSpeedLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f, \u041c\u0431\u0438\u0442\/\u0441", - "TabPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435", - "OptionAllowSyncTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e, \u043a\u043e\u0442\u043e\u0440\u0430\u044f \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", - "LabelConnectUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Emby \/ \u044d-\u043f\u043e\u0447\u0442\u0430:", - "LabelConnectUserNameHelp": "\u0421\u043e\u0435\u0434\u0438\u043d\u044f\u0435\u0442 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f c \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u044c\u044e Emby, \u0447\u0442\u043e\u0431\u044b \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0441 \u0443\u043f\u0440\u043e\u0449\u0451\u043d\u043d\u044b\u043c \u0432\u0445\u043e\u0434\u043e\u043c \u0438\u0437 \u043b\u044e\u0431\u043e\u0433\u043e Emby-\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f, \u043d\u0435 \u0437\u043d\u0430\u044f IP-\u0430\u0434\u0440\u0435\u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.", - "HeaderPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", - "HeaderViewStyles": "\u0421\u0442\u0438\u043b\u0438\u0437\u0430\u0446\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a", - "TabJobs": "\u0417\u0430\u0434\u0430\u043d\u0438\u044f", - "TabSyncJobs": "\u0417\u0430\u0434\u0430\u043d\u0438\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438", - "LabelSelectViewStyles": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0443\u043b\u0443\u0447\u0448\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0434\u043b\u044f:", - "ButtonMoreItems": "\u0415\u0449\u0451...", - "OptionAllowMediaPlaybackTranscodingHelp": "\u041f\u0440\u0438 \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438 \u0431\u0443\u0434\u0443\u0442 \u043f\u043e\u043b\u0443\u0447\u0430\u0442\u044c \u043e\u0441\u043d\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u043d\u0430 \u0438\u0445 \u043f\u043e\u043b\u0438\u0442\u0438\u043a\u0430\u0445 \u0434\u0440\u0443\u0436\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f \u043e\u0431 \u043e\u0448\u0438\u0431\u043a\u0430\u0445.", - "LabelSelectViewStylesHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0441\u0442\u0438\u043b\u0438\u0437\u043e\u0432\u0430\u043d\u044b \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u043c\u0438, \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0449\u0438\u043c\u0438 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u041f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u043e\u0435, \u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435, \u0416\u0430\u043d\u0440\u044b \u0438 \u0442.\u0434. \u041f\u0440\u0438 \u043e\u0442\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u044b \u043f\u0440\u043e\u0441\u0442\u044b\u043c\u0438 \u043f\u0430\u043f\u043a\u0430\u043c\u0438.", - "LabelEmail": "\u042d-\u043f\u043e\u0447\u0442\u0430:", - "LabelUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:", - "HeaderSignUp": "\u0420\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u0430\u0446\u0438\u044f", - "ButtonPurchase": "\u041f\u0440\u0438\u043e\u0431\u0440\u0435\u0441\u0442\u0438", - "LabelPasswordConfirm": "\u041f\u0430\u0440\u043e\u043b\u044c (\u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435):", - "ButtonAddServer": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440", - "HeaderForgotPassword": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c?", - "LabelConnectGuestUserName": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Emby \u0438\u043b\u0438 \u0430\u0434\u0440\u0435\u0441 \u044d-\u043f\u043e\u0447\u0442\u044b:", + "ValueSpecialEpisodeName": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434 - {0}", + "LabelSelectInternetTrailersForCinemaMode": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b:", + "OptionUpcomingDvdMovies": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u043d\u043e\u0432\u044b\u043c \u0438 \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u043c \u0444\u0438\u043b\u044c\u043c\u0430\u043c \u043d\u0430 DVD \u0438 BluRay", + "OptionUpcomingStreamingMovies": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043a \u043d\u043e\u0432\u044b\u043c \u0438 \u043e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u043c \u0444\u0438\u043b\u044c\u043c\u0430\u043c \u043d\u0430 Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u044b\u0445 \u0444\u0438\u043b\u044c\u043c\u043e\u0432", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0430 \u043a\u0430\u043d\u0430\u043b\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", + "CinemaModeConfigurationHelp2": "\u041e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438 \u0431\u0443\u0434\u0443\u0442 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u044b \u0432\u044b\u043a\u043b\u044e\u0447\u0430\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u0441\u0432\u043e\u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0445 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043a.", + "LabelEnableCinemaMode": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430", + "HeaderCinemaMode": "\u0420\u0435\u0436\u0438\u043c \u043a\u0438\u043d\u043e\u0442\u0435\u0430\u0442\u0440\u0430", + "LabelDateAddedBehavior": "\u0414\u043b\u044f \u043d\u043e\u0432\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0437\u0430 \u0434\u0430\u0442\u0443 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u0438\u043d\u0438\u043c\u0430\u0435\u0442\u0441\u044f:", + "OptionDateAddedImportTime": "\u0414\u0430\u0442\u0430 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u043d\u0443\u0442\u0440\u044c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "OptionDateAddedFileTime": "\u0414\u0430\u0442\u0430 \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u0444\u0430\u0439\u043b\u0430", + "LabelDateAddedBehaviorHelp": "\u041f\u0440\u0438 \u043d\u0430\u043b\u0438\u0447\u0438\u0438 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u043e\u043d\u043e \u0432\u0441\u0435\u0433\u0434\u0430 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u043f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442\u043d\u043e, \u0447\u0435\u043c \u043b\u044e\u0431\u043e\u0439 \u0438\u0437 \u0434\u0430\u043d\u043d\u044b\u0445 \u0432\u0430\u0440\u0438\u0430\u043d\u0442\u043e\u0432.", + "LabelNumberTrailerToPlay": "\u0427\u0438\u0441\u043b\u043e \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432 \u0434\u043b\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f:", + "TitleDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "TabCameraUpload": "\u041a\u0430\u043c\u0435\u0440\u044b", + "TabDevices": "\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "HeaderCameraUploadHelp": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u043e\u0442\u0441\u043d\u044f\u0442\u044b\u0445 \u0444\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0439 \u0438 \u0432\u0438\u0434\u0435\u043e \u0438\u0437 \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u0432 Emby.", + "MessageNoDevicesSupportCameraUpload": "\u041d\u0435\u0442 \u043a\u0430\u043a\u0438\u0445-\u043b\u0438\u0431\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432, \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u044e\u0449\u0438\u0445 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u0435 \u0441 \u043a\u0430\u043c\u0435\u0440\u044b.", + "LabelCameraUploadPath": "\u041f\u0443\u0442\u044c \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u0435\u043c\u043e\u0433\u043e \u0441 \u043a\u0430\u043c\u0435\u0440\u044b:", + "LabelCameraUploadPathHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f, \u043f\u043e \u0436\u0435\u043b\u0430\u043d\u0438\u044e. \u0415\u0441\u043b\u0438 \u043d\u0435 \u0437\u0430\u0434\u0430\u043d\u043e, \u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0430 \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0430\u044f \u043f\u0430\u043f\u043a\u0430. \u0415\u0441\u043b\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u044b\u0439 \u043f\u0443\u0442\u044c, \u0442\u043e \u0435\u0433\u043e \u0442\u0430\u043a\u0436\u0435 \u043d\u0430\u0434\u043e \u0431\u0443\u0434\u0435\u0442 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432 \u043e\u0431\u043b\u0430\u0441\u0442\u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u0438 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.", + "LabelCreateCameraUploadSubfolder": "\u0421\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c \u043f\u043e\u0434\u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430", + "LabelCreateCameraUploadSubfolderHelp": "\u041d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u044b \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0449\u0435\u043b\u0447\u043a\u0435 \u043d\u0430 \u043d\u0451\u043c \u0441\u043e \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \"\u0423\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\".", + "LabelCustomDeviceDisplayName": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435:", + "LabelCustomDeviceDisplayNameHelp": "\u041f\u0440\u0438\u0432\u0435\u0434\u0438\u0442\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u043b\u044c\u043d\u043e\u0435 \u0438\u043c\u044f \u0434\u043b\u044f \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u043d\u0435 \u0437\u0430\u043f\u043e\u043b\u043d\u044f\u0439\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0438\u043c\u044f, \u0432\u044b\u0434\u0430\u043d\u043d\u043e\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c.", + "HeaderInviteUser": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f", "LabelConnectGuestUserNameHelp": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0438\u043b\u0438 \u044d-\u043f\u043e\u0447\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u043c\u0438 \u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u0432\u0430\u0448 \u0434\u0440\u0443\u0433 \u0434\u043b\u044f \u0432\u0445\u043e\u0434\u0430 \u043d\u0430 \u0432\u0435\u0431-\u0441\u0430\u0439\u0442 Emby.", + "HeaderInviteUserHelp": "\u041f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0432\u0430\u0448\u0438\u043c \u0434\u0440\u0443\u0437\u044c\u044f\u043c \u043e\u0431\u0449\u0435\u0433\u043e \u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043a \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u043c \u0443\u043f\u0440\u043e\u0449\u0430\u0435\u0442\u0441\u044f \u0447\u0435\u0440\u0435\u0437 Emby Connect.", + "ButtonSendInvitation": "\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435", + "HeaderSignInWithConnect": "\u0412\u0445\u043e\u0434 \u0447\u0435\u0440\u0435\u0437 Emby Connect", + "HeaderGuests": "\u0413\u043e\u0441\u0442\u0438", + "HeaderLocalUsers": "\u041b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "HeaderPendingInvitations": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u044f", + "TabParentalControl": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c", + "HeaderAccessSchedule": "\u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0434\u043e\u0441\u0442\u0443\u043f\u0430", + "HeaderAccessScheduleHelp": "\u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u0440\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0434\u043e\u0441\u0442\u0443\u043f\u0430, \u0447\u0442\u043e\u0431\u044b \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0432 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0435 \u0447\u0430\u0441\u044b.", + "ButtonAddSchedule": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0440\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435", + "LabelAccessDay": "\u0414\u0435\u043d\u044c \u043d\u0435\u0434\u0435\u043b\u0438:", + "LabelAccessStart": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f:", + "LabelAccessEnd": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f:", + "HeaderSchedule": "\u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435", + "OptionEveryday": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e", + "OptionWeekdays": "\u0412 \u0431\u0443\u0434\u043d\u0438", + "OptionWeekends": "\u0412\u044b\u0445\u043e\u0434\u043d\u044b\u0435", + "MessageProfileInfoSynced": "\u0414\u0430\u043d\u043d\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u043e\u0433\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0441 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e: \u0421\u0432\u044f\u0437\u044b\u0432\u0430\u043d\u0438\u0435 \u0432\u0430\u0448\u0435\u0439 \u0443\u0447\u0451\u0442\u043d\u043e\u0439 \u0437\u0430\u043f\u0438\u0441\u0438 Emby", + "ButtonTrailerReel": "\u0421\u043a\u043b\u0435\u0438\u0442\u044c \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b", + "HeaderTrailerReel": "\u0421\u043a\u043b\u0435\u0439\u043a\u0430 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432", + "OptionPlayUnwatchedTrailersOnly": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u0435\u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u044b\u0435 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u044b", + "HeaderTrailerReelHelp": "\u0417\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0435 \u0441\u043a\u043b\u0435\u0439\u043a\u0443 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0434\u043e\u043b\u0433\u043e\u0438\u0433\u0440\u0430\u044e\u0449\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", + "MessageNoTrailersFound": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u044b \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u044b. \u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0438\u043b\u0438\u0442\u044c \u0432\u0430\u0448\u0435 \u0432\u043f\u0435\u0447\u0430\u0442\u043b\u0435\u043d\u0438\u0435 \u043e\u0442 \u0444\u0438\u043b\u044c\u043c\u0430 \u043f\u0443\u0442\u0451\u043c \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0441\u043e\u0431\u0440\u0430\u043d\u0438\u044f \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0435\u0439\u043b\u0435\u0440\u043e\u0432.", + "HeaderNewUsers": "\u041d\u043e\u0432\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438", + "ButtonSignUp": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f", "ButtonForgotPassword": "\u041d\u0430\u043f\u043e\u043c\u043d\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c", + "OptionDisableUserPreferences": "\u0417\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u043c \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430\u043c", + "OptionDisableUserPreferencesHelp": "\u0415\u0441\u043b\u0438 \u0444\u043b\u0430\u0436\u043e\u043a \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d, \u0442\u043e \u0442\u043e\u043b\u044c\u043a\u043e \u0430\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b \u0441\u043c\u043e\u0433\u0443\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f, \u0440\u0438\u0441\u0443\u043d\u043a\u0438, \u043f\u0430\u0440\u043e\u043b\u0438 \u0438 \u044f\u0437\u044b\u043a\u043e\u0432\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438.", + "HeaderSelectServer": "\u0412\u044b\u0431\u043e\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u0430", + "MessageNoServersAvailableToConnect": "\u041d\u0435\u0442 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b\u0445 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u0432 \u0434\u043b\u044f \u043f\u043e\u0434\u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u044f. \u0415\u0441\u043b\u0438 \u0432\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u043b\u0438 \u043f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u0435 \u043a \u043e\u0431\u0449\u0435\u043c\u0443 \u0434\u043e\u0441\u0442\u0443\u043f\u0443 \u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0443, \u0442\u043e \u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0434\u0438\u0442\u0435, \u0447\u0442\u043e \u043f\u0440\u0438\u043d\u044f\u043b\u0438 \u0435\u0433\u043e, \u043d\u0438\u0436\u0435, \u0438\u043b\u0438 \u0449\u0451\u043b\u043a\u043d\u0443\u0432 \u043f\u043e \u0441\u0441\u044b\u043b\u043a\u0435 \u0432 \u044d-\u043f\u043e\u0447\u0442\u0435.", + "TitleNewUser": "\u041d\u043e\u0432\u044b\u0439 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c", + "ButtonConfigurePassword": "\u041d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c \u043f\u0430\u0440\u043e\u043b\u044c", + "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 \u0432 \u043f\u0440\u0435\u0434\u0435\u043b\u0430\u0445 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \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\u043e \u043a\u0430\u043d\u0430\u043b\u0430\u043c", + "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\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \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": "\u041e\u0431\u0449\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0430\u043c", + "MessageGuestSharingPermissionsHelp": "\u041c\u043d\u043e\u0433\u0438\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \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\u043e \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438.", + "HeaderInvitations": "\u041f\u0440\u0438\u0433\u043b\u0430\u0448\u0435\u043d\u0438\u044f", "LabelForgotPasswordUsernameHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u0438\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f, \u0435\u0441\u043b\u0438 \u043f\u043e\u043c\u043d\u0438\u0442\u0435 \u0435\u0433\u043e.", + "HeaderForgotPassword": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c?", "TitleForgotPassword": "\u0417\u0430\u0431\u044b\u043b\u0438 \u043f\u0430\u0440\u043e\u043b\u044c?", "TitlePasswordReset": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", - "TabParentalControl": "\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435\u043c", "LabelPasswordRecoveryPinCode": "PIN-\u043a\u043e\u0434:", - "HeaderAccessSchedule": "\u0420\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0434\u043e\u0441\u0442\u0443\u043f\u0430", "HeaderPasswordReset": "\u0421\u0431\u0440\u043e\u0441 \u043f\u0430\u0440\u043e\u043b\u044f", - "HeaderAccessScheduleHelp": "\u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u0440\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0434\u043e\u0441\u0442\u0443\u043f\u0430, \u0447\u0442\u043e\u0431\u044b \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f \u0432 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0435 \u0447\u0430\u0441\u044b.", "HeaderParentalRatings": "\u0412\u043e\u0437\u0440\u0430\u0441\u0442\u043d\u0430\u044f \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f", - "ButtonAddSchedule": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0440\u0430\u0441\u043f\u0438\u0441\u0430\u043d\u0438\u0435", "HeaderVideoTypes": "\u0422\u0438\u043f\u044b \u0432\u0438\u0434\u0435\u043e", - "LabelAccessDay": "\u0414\u0435\u043d\u044c \u043d\u0435\u0434\u0435\u043b\u0438:", "HeaderYears": "\u0413\u043e\u0434\u044b", - "LabelAccessStart": "\u041d\u0430\u0447\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f:", - "LabelAccessEnd": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435 \u0432\u0440\u0435\u043c\u044f:", - "LabelDvdSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 DVD-\u0441\u0435\u0437\u043e\u043d\u0430:", + "HeaderAddTag": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0435\u0433\u0430", + "LabelBlockContentWithTags": "\u0411\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0441 \u0442\u0435\u0433\u0430\u043c\u0438:", + "LabelTag": "\u0422\u0435\u0433:", + "LabelEnableSingleImageInDidlLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0442\u044c \u0434\u043e \u0435\u0434\u0438\u043d\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0433\u043e \u0432\u043d\u0435\u0434\u0440\u0451\u043d\u043d\u043e\u0433\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u0430", + "LabelEnableSingleImageInDidlLimitHelp": "\u041d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445 \u043d\u0435 \u043e\u0442\u0440\u0438\u0441\u043e\u0432\u044b\u0432\u0430\u0435\u0442\u0441\u044f \u043d\u043e\u0440\u043c\u0430\u043b\u044c\u043d\u043e, \u0435\u0441\u043b\u0438 \u0432\u043d\u0435\u0434\u0440\u0435\u043d\u044b \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432\u043d\u0443\u0442\u0440\u0438 DIDL.", + "TabActivity": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f", + "TitleSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044f", + "OptionAllowSyncContent": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e", + "OptionAllowContentDownloading": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0443 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "NameSeasonUnknown": "\u0421\u0435\u0437\u043e\u043d \u043d\u0435\u0438\u0437\u0432\u0435\u0441\u0442\u0435\u043d", + "NameSeasonNumber": "\u0421\u0435\u0437\u043e\u043d {0}", + "LabelNewUserNameHelp": "\u0418\u043c\u0435\u043d\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439 \u043c\u043e\u0433\u0443\u0442 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0442\u044c \u0431\u0443\u043a\u0432\u044b (a-z), \u0446\u0438\u0444\u0440\u044b (0-9), \u0434\u0435\u0444\u0438\u0441\u044b (-), \u043f\u043e\u0434\u0447\u0451\u0440\u043a\u0438\u0432\u0430\u043d\u0438\u044f (_), \u0430\u043f\u043e\u0441\u0442\u0440\u043e\u0444\u044b (') \u0438 \u0442\u043e\u0447\u043a\u0438 (.)", + "TabJobs": "\u0417\u0430\u0434\u0430\u043d\u0438\u044f", + "TabSyncJobs": "\u0417\u0430\u0434\u0430\u043d\u0438\u044f \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438", + "LabelTagFilterMode": "\u0420\u0435\u0436\u0438\u043c:", + "LabelTagFilterAllowModeHelp": "\u0415\u0441\u043b\u0438 \u0434\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u044b\u0435 \u0442\u0435\u0433\u0438 \u044f\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0447\u0430\u0441\u0442\u044c\u044e \u0441\u0442\u0440\u0443\u043a\u0442\u0443\u0440\u044b \u0433\u043b\u0443\u0431\u043e\u043a\u043e \u0432\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0445 \u043f\u0430\u043f\u043e\u043a, \u0442\u043e \u0434\u043b\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f, \u043f\u043e\u043c\u0435\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0442\u0435\u0433\u0430\u043c\u0438, \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f, \u0447\u0442\u043e\u0431\u044b \u0440\u043e\u0434\u0438\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u043f\u0430\u043f\u043a\u0438 \u0431\u044b\u043b\u0438 \u043f\u043e\u043c\u0435\u0447\u0435\u043d\u044b \u0442\u0430\u043a\u0436\u0435.", + "HeaderThisUserIsCurrentlyDisabled": "\u042d\u0442\u043e\u0442 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c \u0432 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0437\u0430\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u043d", + "MessageReenableUser": "\u0421\u043c. \u043d\u0438\u0436\u0435 \u0434\u043b\u044f \u0440\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u043a\u0438", + "LabelEnableInternetMetadataForTvPrograms": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0438\u0437 \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0430 \u0434\u043b\u044f:", + "OptionTVMovies": "\u0422\u0412 \u0444\u0438\u043b\u044c\u043c\u044b", + "HeaderUpcomingMovies": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b", + "HeaderUpcomingSports": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u0441\u043f\u043e\u0440\u0442\u0438\u0432\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438", + "HeaderUpcomingPrograms": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438", + "ButtonMoreItems": "\u0415\u0449\u0451...", + "LabelShowLibraryTileNames": "\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u044f \u043f\u043b\u0438\u0442\u043e\u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438", + "LabelShowLibraryTileNamesHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f, \u0431\u0443\u0434\u0443\u0442 \u043b\u0438 \u043d\u0430\u0434\u043f\u0438\u0441\u0438 \u043f\u043e\u043a\u0430\u0437\u0430\u043d\u044b \u043f\u043e\u0434 \u043f\u043b\u0438\u0442\u043a\u0430\u043c\u0438 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438 \u043d\u0430 \u0433\u043b\u0430\u0432\u043d\u043e\u0439 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435.", + "OptionEnableTranscodingThrottle": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", + "OptionEnableTranscodingThrottleHelp": "\u0420\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0431\u0443\u0434\u0435\u0442 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u043a\u043e\u0440\u0440\u0435\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u0434\u043b\u044f \u0442\u043e\u0433\u043e, \u0447\u0442\u043e\u0431\u044b \u043c\u0438\u043d\u0438\u043c\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0443 \u043d\u0430 \u0446\u0435\u043d\u0442\u0440\u0430\u043b\u044c\u043d\u044b\u0439 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0432\u043e \u0432\u0440\u0435\u043c\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.", + "LabelUploadSpeedLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0432\u044b\u043a\u043b\u0430\u0434\u044b\u0432\u0430\u043d\u0438\u044f, \u041c\u0431\u0438\u0442\/\u0441", + "OptionAllowSyncTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e, \u043a\u043e\u0442\u043e\u0440\u0430\u044f \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", + "HeaderPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445", + "OptionAllowAudioPlaybackTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", + "OptionAllowVideoPlaybackTranscoding": "\u0420\u0430\u0437\u0440\u0435\u0448\u0438\u0442\u044c \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443", + "OptionAllowMediaPlaybackTranscodingHelp": "\u041f\u0440\u0438 \u043d\u0435\u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438 \u0431\u0443\u0434\u0443\u0442 \u043f\u043e\u043b\u0443\u0447\u0430\u0442\u044c \u043e\u0441\u043d\u043e\u0432\u0430\u043d\u043d\u044b\u0435 \u043d\u0430 \u0438\u0445 \u043f\u043e\u043b\u0438\u0442\u0438\u043a\u0430\u0445 \u0434\u0440\u0443\u0436\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0435 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f \u043e\u0431 \u043e\u0448\u0438\u0431\u043a\u0430\u0445.", + "TabStreaming": "\u0422\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044f", + "LabelRemoteClientBitrateLimit": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0445 \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432, \u041c\u0431\u0438\u0442\/\u0441", + "LabelRemoteClientBitrateLimitHelp": "\u041d\u0435\u043e\u0431\u044f\u0437\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u044b\u0445 \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432. \u042d\u0442\u043e \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0446\u0435\u043b\u0435\u0441\u043e\u043e\u0431\u0440\u0430\u0437\u043d\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0435\u0434\u043e\u0442\u0432\u0440\u0430\u0449\u0430\u0442\u044c \u0437\u0430\u043f\u0440\u0430\u0448\u0438\u0432\u0430\u043d\u0438\u0435 \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c\u0438 \u0431\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438, \u0447\u0435\u043c \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u0430\u0442\u044c \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435.", + "LabelConversionCpuCoreLimit": "\u041f\u0440\u0435\u0434\u0435\u043b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u043d\u044b\u0445 \u044f\u0434\u0435\u0440:", + "LabelConversionCpuCoreLimitHelp": "\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0447\u0438\u0441\u043b\u043e \u044f\u0434\u0435\u0440 \u0446\u0435\u043d\u0442\u0440\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u0443\u0434\u0443\u0442 \u0437\u0430\u0434\u0435\u0439\u0441\u0442\u0432\u043e\u0432\u0430\u043d\u044b \u0432\u043e \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u0435 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u043e\u043d\u043d\u043e\u0433\u043e \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u044f.", + "OptionEnableFullSpeedConversion": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u043b\u043d\u043e\u0441\u043a\u043e\u0440\u043e\u0441\u0442\u043d\u043e\u0435 \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u0435", + "OptionEnableFullSpeedConversionHelp": "\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e, \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u043e\u043d\u043d\u043e\u0435 \u043f\u0440\u0435\u043e\u0431\u0440\u0430\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0438 \u043d\u0438\u0437\u043a\u043e\u0439 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u0438, \u0447\u0442\u043e\u0431\u044b \u043c\u0438\u043d\u0438\u043c\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043f\u043e\u0442\u0440\u0435\u0431\u043b\u0435\u043d\u0438\u0435 \u0440\u0435\u0441\u0443\u0440\u0441\u043e\u0432.", + "HeaderPlaylists": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f", + "HeaderViewStyles": "\u0421\u0442\u0438\u043b\u0438\u0437\u0430\u0446\u0438\u044f \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043e\u043a", + "LabelSelectViewStyles": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0443\u043b\u0443\u0447\u0448\u0435\u043d\u043d\u044b\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u044f \u0434\u043b\u044f:", + "LabelSelectViewStylesHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u0441\u0442\u0438\u043b\u0438\u0437\u043e\u0432\u0430\u043d\u044b \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u043c\u0438, \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0449\u0438\u043c\u0438 \u043a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u0438, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u041f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u043e\u0435, \u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435, \u0416\u0430\u043d\u0440\u044b \u0438 \u0442.\u0434. \u041f\u0440\u0438 \u043e\u0442\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u044b \u043f\u0440\u043e\u0441\u0442\u044b\u043c\u0438 \u043f\u0430\u043f\u043a\u0430\u043c\u0438.", + "TabPhotos": "\u0424\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438", + "TabVideos": "\u0412\u0438\u0434\u0435\u043e", + "HeaderWelcomeToEmby": "\u041d\u0430\u0447\u0430\u043b\u043e \u0440\u0430\u0431\u043e\u0442\u044b \u0432 Emby", + "EmbyIntroMessage": "\u0421 \u043f\u043e\u043c\u043e\u0449\u044c\u044e Emby \u0443\u0434\u043e\u0431\u043d\u043e \u0442\u0440\u0430\u043d\u0441\u043b\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043d\u0430 \u0441\u043c\u0430\u0440\u0442\u0444\u043e\u043d\u044b, \u043f\u043b\u0430\u043d\u0448\u0435\u0442\u044b \u0438 \u0434\u0440\u0443\u0433\u0438\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u044b, \u043c\u0443\u0437\u044b\u043a\u0443 \u0438 \u0444\u043e\u0442\u043e\u0433\u0440\u0430\u0444\u0438\u0438 \u0441 Emby Server.", + "ButtonSkip": "\u041f\u0440\u043e\u043f\u0443\u0441\u0442\u0438\u0442\u044c", + "TextConnectToServerManually": "\u0421\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435 \u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0432\u0440\u0443\u0447\u043d\u0443\u044e", + "ButtonSignInWithConnect": "\u0412\u043e\u0439\u0442\u0438 \u0447\u0435\u0440\u0435\u0437 Connect", + "ButtonConnect": "\u041f\u043e\u0434\u043a\u043b\u044e\u0447\u0438\u0442\u044c", + "LabelServerHost": "\u0425\u043e\u0441\u0442:", + "LabelServerHostHelp": "192.168.1.100 \u0438\u043b\u0438 https:\/\/myserver.com", + "LabelServerPort": "\u041f\u043e\u0440\u0442:", + "HeaderNewServer": "\u041d\u043e\u0432\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440", + "ButtonChangeServer": "\u0421\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440", + "HeaderConnectToServer": "\u0421\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u0438\u0435 \u0441 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c", + "OptionReportList": "\u0421\u043f\u0438\u0441\u043a\u0438", + "OptionReportStatistics": "\u0421\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043a\u0430", + "OptionReportGrouping": "\u0413\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", "HeaderExport": "\u042d\u043a\u0441\u043f\u043e\u0440\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", - "LabelDvdEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 DVD-\u044d\u043f\u0438\u0437\u043e\u0434\u0430:", - "LabelAbsoluteEpisodeNumber": "\u0410\u0431\u0441\u043e\u043b\u044e\u0442\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:", - "LabelAirsBeforeSeason": "\u041d-\u0440 \u0441\u0435\u0437\u043e\u043d\u0430 \u0434\u043b\u044f \u00abairs before\u00bb:", "HeaderColumns": "\u041a\u043e\u043b\u043e\u043d\u043a\u0438", - "LabelAirsAfterSeason": "\u041d-\u0440 \u0441\u0435\u0437\u043e\u043d\u0430 \u0434\u043b\u044f \u00abairs after\u00bb:" + "ButtonReset": "\u0421\u0431\u0440\u043e\u0441\u0438\u0442\u044c", + "OptionEnableExternalVideoPlayers": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0432\u043d\u0435\u0448\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0433\u0440\u044b\u0432\u0430\u0442\u0435\u043b\u0438 \u0432\u0438\u0434\u0435\u043e", + "ButtonUnlockGuide": "\u0420\u0430\u0437\u0431\u043b\u043e\u043a\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0433\u0438\u0434", + "LabelEnableFullScreen": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u043f\u043e\u043b\u043d\u043e\u0433\u043e \u044d\u043a\u0440\u0430\u043d\u0430", + "LabelEnableChromecastAc3Passthrough": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u0440\u043e\u0445\u043e\u0434\u043d\u043e\u0439 AC3 \u043d\u0430 Chromecast", + "LabelSyncPath": "\u041f\u0443\u0442\u044c \u043a \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u043c\u0443 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044e:", + "LabelEmail": "\u042d-\u043f\u043e\u0447\u0442\u0430:", + "LabelUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:", + "HeaderSignUp": "\u0420\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u0430\u0446\u0438\u044f", + "LabelPasswordConfirm": "\u041f\u0430\u0440\u043e\u043b\u044c (\u043f\u043e\u0434\u0442\u0432\u0435\u0440\u0436\u0434\u0435\u043d\u0438\u0435):", + "ButtonAddServer": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440", + "TabHomeScreen": "\u0413\u043b\u0430\u0432\u043d\u044b\u0439 \u044d\u043a\u0440\u0430\u043d", + "HeaderDisplay": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", + "HeaderNavigation": "\u041d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f", + "LegendTheseSettingsShared": "\u0414\u0430\u043d\u043d\u044b\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u043d\u043e \u043d\u0430 \u0432\u0441\u0435\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/sl-SI.json b/MediaBrowser.Server.Implementations/Localization/Server/sl-SI.json index b7c197f91f..d37510905a 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/sl-SI.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/sl-SI.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "Episodes", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genres", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "People", - "ButtonAdd": "Add", - "TabNetworks": "Networks", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Exit", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Restart Server", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Previous", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Next", + "LabelYoureDone": "You're Done!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "Your first name:", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Cancel", + "ButtonExit": "Exit", + "ButtonNew": "New", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "Country:", + "LabelLanguage": "Language:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "Password", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "Profile", + "TabMetadata": "Metadata", + "TabImages": "Images", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Users", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favorites", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Likes", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Dislikes", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiles", + "TabSecurity": "Security", + "ButtonAddUser": "Add User", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Save", + "ButtonResetPassword": "Reset Password", + "LabelNewPassword": "New password:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "Create Password", + "LabelCurrentPassword": "Current password:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "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", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "Collections", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "TV", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "Name", + "OptionFolderSort": "Folders", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatic Updates", - "LabelYourFirstName": "Your first name:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Latest Albums", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "Latest Songs", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Cancel", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Country:", - "LabelLanguage": "Language:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Exit", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "Video Type:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Subtitles", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Restart Server", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "Previous", "TabMovies": "Movies", - "LabelFinish": "Finish", "TabStudios": "Studios", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Next", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "You're Done!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Latest Movies", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "Password", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profile", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiles", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "Security", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "Add User", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "Save", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset Password", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "New password:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "Create Password", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "Current password:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "New", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "Images", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Nastavitve", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/sv.json b/MediaBrowser.Server.Implementations/Localization/Server/sv.json index 5659b6faba..cadf66340d 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/sv.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/sv.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Namngivningsformat f\u00f6r bilder:", - "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.", - "HeaderNewCollection": "Ny samling", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Skapa", - "ButtonSignIn": "Logga in", - "LiveTvPluginRequired": "Du m\u00e5ste ha ett till\u00e4gg f\u00f6r live-TV installerad f\u00f6r att kunna forts\u00e4tta.", - "TitleSignIn": "Logga in", - "LiveTvPluginRequiredHelp": "Installera ett av v\u00e5ra till\u00e4gg, t ex Next PVR eller ServerWMC.", - "LabelWebSocketPortNumber": "Webanslutningens portnummer:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Var god logga in", - "LabelUser": "Anv\u00e4ndare:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "\u00d6vrigt", - "LabelPassword": "L\u00f6senord:", - "OptionDownloadThumbImage": "Miniatyr", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manuell inloggning:", - "OptionDownloadMenuImage": "Meny", - "TabResume": "\u00c5teruppta", - "PasswordLocalhostMessage": "L\u00f6senord kr\u00e4vs ej vid lokal inloggning.", - "OptionDownloadLogoImage": "Logotyp", - "TabWeather": "V\u00e4der", - "OptionDownloadBoxImage": "Konvolut", - "TitleAppSettings": "Programinst\u00e4llningar", - "ButtonDeleteImage": "Ta bort bild", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Skiva", - "LabelMinResumePercentage": "L\u00e4gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)", - "ButtonUpload": "Ladda upp", - "OptionDownloadBannerImage": "Banderoll", - "LabelMaxResumePercentage": "H\u00f6gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)", - "HeaderUploadNewImage": "Ladda upp ny bild", - "OptionDownloadBackImage": "Baksida", - "LabelMinResumeDuration": "Minsta tid f\u00f6r \u00e5terupptagande (s)", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Dra bild hit", - "OptionDownloadArtImage": "Grafik", - "LabelMinResumePercentageHelp": "Objekt betraktas som ej spelade om uppspelningen stoppas f\u00f6re denna tidpunkt", - "ImageUploadAspectRatioHelp": "Bildf\u00f6rh\u00e5llande 1:1 rekommenderas. Endast JPG\/PNG.", - "OptionDownloadPrimaryImage": "Huvudbild", - "LabelMaxResumePercentageHelp": "Objekt betraktas som f\u00e4rdigspelade om uppspelningen stoppas efter denna tidpunkt", - "MessageNothingHere": "Ingenting h\u00e4r.", - "HeaderFetchImages": "H\u00e4mta bilder:", - "LabelMinResumeDurationHelp": "Objekt med speltid kortare \u00e4n s\u00e5 h\u00e4r kan ej \u00e5terupptas", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Var god se till att h\u00e4mtning av metadata via Internet \u00e4r aktiverad.", - "HeaderImageSettings": "Bildinst\u00e4llningar", - "TabSuggested": "Rekommenderas", - "LabelMaxBackdropsPerItem": "H\u00f6gsta antal fondbilder per objekt:", - "TabLatest": "Nytillkommet", - "LabelMaxScreenshotsPerItem": "H\u00f6gsta antal sk\u00e4rmdumpar per objekt:", - "TabUpcoming": "Kommande", - "LabelMinBackdropDownloadWidth": "H\u00e4mta enbart fondbilder bredare \u00e4n:", - "TabShows": "Serier", - "LabelMinScreenshotDownloadWidth": "H\u00e4mta enbart sk\u00e4rmdumpar bredare \u00e4n:", - "TabEpisodes": "Avsnitt", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "Genrer", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Personer", - "ButtonAdd": "L\u00e4gg till", - "TabNetworks": "TV-bolag", - "LabelTriggerType": "Typ av utl\u00f6sare:", - "OptionDaily": "Dagligen", - "OptionWeekly": "Varje vecka", - "OptionOnInterval": "Med visst intervall", - "OptionOnAppStartup": "N\u00e4r servern startar", - "ButtonHelp": "Hj\u00e4lp", - "OptionAfterSystemEvent": "Efter en systemh\u00e4ndelse", - "LabelDay": "Dag:", - "LabelTime": "Tid:", - "OptionRelease": "Officiell version", - "LabelEvent": "H\u00e4ndelse:", - "OptionBeta": "Betaversion", - "OptionWakeFromSleep": "Vakna ur energisparl\u00e4ge", - "ButtonInviteUser": "Bjud in anv\u00e4ndare", - "OptionDev": "Utvecklarversion (instabil)", - "LabelEveryXMinutes": "Varje:", - "HeaderTvTuners": "TV-mottagare", - "CategorySync": "Sync", - "HeaderGallery": "Galleri", - "HeaderLatestGames": "Senaste spelen", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Avsluta", + "LabelVisitCommunity": "Bes\u00f6k v\u00e5rt diskussionsforum", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "F\u00f6rval", "LabelApiDocumentation": "Api Dokumentation", - "Option2Player": "2+", "LabelDeveloperResources": "Resurser f\u00f6r utvecklare", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Mediamappar", - "HeaderThemeVideos": "Temavideor", - "HeaderThemeSongs": "Ledmotiv", - "HeaderScenes": "Kapitel", - "HeaderAwardsAndReviews": "Priser och recensioner", - "HeaderSoundtracks": "Filmmusik", - "LabelManagement": "Administration:", - "HeaderMusicVideos": "Musikvideor", - "HeaderSpecialFeatures": "Extramaterial", + "LabelBrowseLibrary": "Bl\u00e4ddra i biblioteket", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "\u00d6ppna biblioteksbl\u00e4ddraren", + "LabelRestartServer": "Starta om servern", + "LabelShowLogWindow": "Visa loggf\u00f6nstret", + "LabelPrevious": "F\u00f6reg\u00e5ende", + "LabelFinish": "Klart", + "FolderTypeMixed": "Mixed content", + "LabelNext": "N\u00e4sta", + "LabelYoureDone": "Klart!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "Den h\u00e4r guiden hj\u00e4lper dig att g\u00f6ra de f\u00f6rsta inst\u00e4llningarna. F\u00f6r att b\u00f6rja var v\u00e4nlig v\u00e4lj \u00f6nskat spr\u00e5k.", + "TellUsAboutYourself": "Ber\u00e4tta om dig sj\u00e4lv", + "ButtonQuickStartGuide": "Snabbstartguide", + "LabelYourFirstName": "Ditt f\u00f6rnamn:", + "MoreUsersCanBeAddedLater": "Flera anv\u00e4ndare kan skapas senare i Kontrollpanelen.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows-tj\u00e4nst", + "AWindowsServiceHasBeenInstalled": "En Windows-tj\u00e4nst har installerats.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Om Media Browser k\u00f6rs som en tj\u00e4nst, notera att den inte kan k\u00f6ras samtidigt som aktivitetsf\u00e4ltsikonen, s\u00e5 f\u00f6r att k\u00f6ra tj\u00e4nsten m\u00e5ste ikonen st\u00e4ngas. Tj\u00e4nsten m\u00e5ste ocks\u00e5 k\u00f6ras med administrat\u00f6rsr\u00e4ttigheter (st\u00e4lls in i kontrollpanelen Tj\u00e4nster). Automatiska uppdateringar fungerar heller inte med tj\u00e4nsten, dvs tj\u00e4nsten m\u00e5ste stoppas f\u00f6re manuell uppdatering och sedan \u00e5terstartas.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Inst\u00e4llningar", + "LabelEnableVideoImageExtraction": "Ta fram bildrutor ur videofiler", + "VideoImageExtractionHelp": "Dessa anv\u00e4nds f\u00f6r objekt som saknar bilder och d\u00e4r vi inte hittar n\u00e5gra vid s\u00f6kning p\u00e5 Internet. Detta g\u00f6r att den f\u00f6rsta genoms\u00f6kningen av biblioteket tar lite l\u00e4ngre tid, men ger en snyggare presentation.", + "LabelEnableChapterImageExtractionForMovies": "Ta fram kapitelbildrutor ur filmfiler", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Aktivera automatisk koppling av portar", + "LabelEnableAutomaticPortMappingHelp": "UPnP m\u00f6jligg\u00f6r automatisk inst\u00e4llning av din router s\u00e5 att du enkelt kan n\u00e5 Media Browser fr\u00e5n Internet. Detta kanske inte fungerar med alla routrar.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "V\u00e4nligen acceptera anv\u00e4ndarvillkoren och sekretesspolicy innan du forts\u00e4tter.", + "OptionIAcceptTermsOfService": "Jag accepterar anv\u00e4ndarvillkoren", + "ButtonPrivacyPolicy": "sekretesspolicy", + "ButtonTermsOfService": "Anv\u00e4ndarvillkor", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Rollista & bes\u00e4ttning", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Ytterligare delar", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Hantera olika versioner separat", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Saknas", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Aktivera automatisk koppling av portar", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Automatisk l\u00e4nkning av publik och lokal port via UPnP. Detta kanske inte fungerar med alla routrar.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "Fr\u00e5n", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "Till", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "Fr\u00e5n:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Exempel: D:\\Filmer (p\u00e5 servern)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "Till:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "OK", + "ButtonCancel": "Avbryt", + "ButtonExit": "Exit", + "ButtonNew": "Nytillkommet", + "HeaderTV": "TV", + "HeaderAudio": "Ljud", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Exempel: \\\\server\\Filmer (tillg\u00e4nglig f\u00f6r klienter)", - "ButtonAddPathSubstitution": "L\u00e4gg till utbytess\u00f6kv\u00e4g", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specialavsnitt", - "OptionMissingEpisode": "Saknade avsnitt", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Identifiera arkivfiler som media", + "OptionDetectArchiveFilesAsMediaHelp": "Om aktiverad, kommer filer med .rar och .zip f\u00f6rl\u00e4ngningar att uppt\u00e4ckas som mediefiler.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Synk jobb", + "FolderTypeMovies": "Filmer", + "FolderTypeMusic": "Musik", + "FolderTypeAdultVideos": "Inneh\u00e5ll f\u00f6r vuxna", + "FolderTypePhotos": "Foton", + "FolderTypeMusicVideos": "Musikvideor", + "FolderTypeHomeVideos": "Hemvideor", + "FolderTypeGames": "Spel", + "FolderTypeBooks": "B\u00f6cker", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "\u00c4rv", - "OptionUnairedEpisode": "Ej s\u00e4nda avsnitt", "LabelContentType": "Inneh\u00e5llstyp:", - "OptionEpisodeSortName": "Sorteringstitel f\u00f6r avsnitt", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Serietitel", - "TabNotifications": "Meddelanden", - "OptionTvdbRating": "TVDB-betyg", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "\u00d6nskad kvalitet f\u00f6r omkodning:", - "OptionAutomaticTranscodingHelp": "Servern avg\u00f6r kvalitet och hastighet", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "L\u00e4gre kvalitet men snabbare omkodning", - "OptionHighQualityTranscodingHelp": "H\u00f6gre kvalitet men l\u00e5ngsammare omkodning", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "H\u00f6gsta kvalitet, l\u00e5ngsammare omkodning och h\u00f6g CPU-belastning", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "H\u00f6gre hastighet", - "OptionAllowRemoteSharedDevices": "Till\u00e5t fj\u00e4rrstyrning av delade enheter", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "H\u00f6gre kvalitet", - "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheter betraktas som delade tills en anv\u00e4ndare b\u00f6rjar kontrollera den.", - "OptionMaxQualityTranscoding": "H\u00f6gsta kvalitet", - "HeaderRemoteControl": "Fj\u00e4rrkontroll", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Aktivera loggning av fel fr\u00e5n omkodning", + "HeaderSetupLibrary": "Konfigurera mediabiblioteket", + "ButtonAddMediaFolder": "Skapa mediamapp", + "LabelFolderType": "Typ av mapp:", + "ReferToMediaLibraryWiki": "Se avsnittet om mediabibliotek i v\u00e5r Wiki.", + "LabelCountry": "Land:", + "LabelLanguage": "Spr\u00e5k:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u00d6nskat spr\u00e5k f\u00f6r metadata:", + "LabelSaveLocalMetadata": "Spara grafik och metadata i mediamapparna", + "LabelSaveLocalMetadataHelp": "Om grafik och metadata sparas tillsammans med media \u00e4r de enkelt \u00e5tkomliga f\u00f6r redigering.", + "LabelDownloadInternetMetadata": "H\u00e4mta grafik och metadata fr\u00e5n Internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Inst\u00e4llningar", + "TabPassword": "L\u00f6senord", + "TabLibraryAccess": "\u00c5tkomst till biblioteket", + "TabAccess": "Access", + "TabImage": "Bild", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Bilder", + "TabNotifications": "Meddelanden", + "TabCollectionTitles": "Titlar", + "HeaderDeviceAccess": "Enhets\u00e5tkomst", + "OptionEnableAccessFromAllDevices": "Aktivera \u00e5tkomst fr\u00e5n alla enheter", + "OptionEnableAccessToAllChannels": "Aktivera \u00e5tkomst till alla kanaler", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Visa saknade avsnitt i s\u00e4songer", + "LabelUnairedMissingEpisodesWithinSeasons": "Visa \u00e4nnu ej s\u00e4nda avsnitt i s\u00e4songer", + "HeaderVideoPlaybackSettings": "Inst\u00e4llningar f\u00f6r videouppspelning", + "HeaderPlaybackSettings": "Uppspelningsinst\u00e4llningar", + "LabelAudioLanguagePreference": "\u00d6nskat spr\u00e5k f\u00f6r ljudsp\u00e5r", + "LabelSubtitleLanguagePreference": "\u00d6nskat spr\u00e5k f\u00f6r undertexter:", "OptionDefaultSubtitles": "Standard", - "OptionEnableDebugTranscodingLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Anv\u00e4ndare", "OptionOnlyForcedSubtitles": "Endast tvingande undertexter", - "HeaderFilters": "Filter:", "OptionAlwaysPlaySubtitles": "Visa alltid undertexter", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filtrera", + "OptionNoSubtitles": "Inga undertexter", "OptionDefaultSubtitlesHelp": "Om ljudsp\u00e5ret \u00e4r p\u00e5 ett fr\u00e4mmande spr\u00e5k laddas undertexter p\u00e5 det \u00f6nskade spr\u00e5ket.", - "OptionFavorite": "Favoriter", "OptionOnlyForcedSubtitlesHelp": "Endast undertexter markerade som tvingande kommer att laddas.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Gillar", "OptionAlwaysPlaySubtitlesHelp": "Undertexter p\u00e5 det \u00f6nskade spr\u00e5ket kommer att laddas oavsett ljudsp\u00e5rets spr\u00e5k.", - "OptionDislikes": "Ogillar", "OptionNoSubtitlesHelp": "Ladda normalt inte undertexter.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiler", + "TabSecurity": "S\u00e4kerhet", + "ButtonAddUser": "Ny anv\u00e4ndare", + "ButtonAddLocalUser": "Skapa lokal anv\u00e4ndare", + "ButtonInviteUser": "Bjud in anv\u00e4ndare", + "ButtonSave": "Spara", + "ButtonResetPassword": "\u00c5terst\u00e4ll l\u00f6senord", + "LabelNewPassword": "Nytt l\u00f6senord:", + "LabelNewPasswordConfirm": "Bekr\u00e4fta nytt l\u00f6senord:", + "HeaderCreatePassword": "Skapa l\u00f6senord", + "LabelCurrentPassword": "Nuvarande l\u00f6senord:", + "LabelMaxParentalRating": "H\u00f6gsta till\u00e5tna \u00e5ldersgr\u00e4ns", + "MaxParentalRatingHelp": "Inneh\u00e5ll med h\u00f6gre gr\u00e4ns visas ej f\u00f6r den h\u00e4r anv\u00e4ndaren.", + "LibraryAccessHelp": "Ange vilka mediamappar den h\u00e4r anv\u00e4ndaren ska ha tillg\u00e5ng till. Administrat\u00f6rer har r\u00e4ttighet att redigera alla mappar i metadatahanteraren.", + "ChannelAccessHelp": "V\u00e4lj kanaler att dela med denna anv\u00e4ndare. Administrat\u00f6rer kan redigera alla kanaler med hj\u00e4lp av metadatahanteraren.", + "ButtonDeleteImage": "Ta bort bild", + "LabelSelectUsers": "V\u00e4lj anv\u00e4ndare:", + "ButtonUpload": "Ladda upp", + "HeaderUploadNewImage": "Ladda upp ny bild", + "LabelDropImageHere": "Dra bild hit", + "ImageUploadAspectRatioHelp": "Bildf\u00f6rh\u00e5llande 1:1 rekommenderas. Endast JPG\/PNG.", + "MessageNothingHere": "Ingenting h\u00e4r.", + "MessagePleaseEnsureInternetMetadata": "Var god se till att h\u00e4mtning av metadata via Internet \u00e4r aktiverad.", + "TabSuggested": "Rekommenderas", + "TabSuggestions": "Suggestions", + "TabLatest": "Nytillkommet", + "TabUpcoming": "Kommande", + "TabShows": "Serier", + "TabEpisodes": "Avsnitt", + "TabGenres": "Genrer", + "TabPeople": "Personer", + "TabNetworks": "TV-bolag", + "HeaderUsers": "Anv\u00e4ndare", + "HeaderFilters": "Filter:", + "ButtonFilter": "Filtrera", + "OptionFavorite": "Favoriter", + "OptionLikes": "Gillar", + "OptionDislikes": "Ogillar", "OptionActors": "Sk\u00e5despelare", - "TangibleSoftwareMessage": "Anv\u00e4nder Tangible Solutions Java\/C#-konverterare baserat p\u00e5 en sk\u00e4nkt licens.", "OptionGuestStars": "G\u00e4startister", - "HeaderCredits": "Tack till", "OptionDirectors": "Regiss\u00f6rer", - "TabCollections": "Samlingar", "OptionWriters": "Manusf\u00f6rfattare", - "TabFavorites": "Favoriter", "OptionProducers": "Producenter", - "TabMyLibrary": "Mitt bibliotek", - "HeaderServices": "Services", "HeaderResume": "\u00c5teruppta", - "LabelCustomizeOptionsPerMediaType": "Anpassa f\u00f6r typ av media:", "HeaderNextUp": "N\u00e4stkommande", "NoNextUpItemsMessage": "Hittade inget. S\u00e4tt ig\u00e5ng och titta!", "HeaderLatestEpisodes": "Senaste avsnitten", @@ -219,42 +200,32 @@ "TabMusicVideos": "Musikvideor", "ButtonSort": "Sortera", "HeaderSortBy": "Sortera efter:", - "OptionEnableAccessToAllChannels": "Aktivera \u00e5tkomst till alla kanaler", "HeaderSortOrder": "Sorteringsordning:", - "LabelAutomaticUpdates": "Aktivera automatiska uppdateringar", "OptionPlayed": "Visad", - "LabelFanartApiKey": "Personlig api-nyckel:", "OptionUnplayed": "Ej visad", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Stigande", "OptionDescending": "Sjunkande", "OptionRuntime": "Speltid", + "OptionReleaseDate": "Premi\u00e4rdatum", "OptionPlayCount": "Antal visningar", "OptionDatePlayed": "Senast visad", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Inlagd den", - "HeaderTV": "TV", "OptionAlbumArtist": "Albumartist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Identifiera arkivfiler som media", "OptionArtist": "Artist", - "MessagePleaseAcceptTermsOfService": "V\u00e4nligen acceptera anv\u00e4ndarvillkoren och sekretesspolicy innan du forts\u00e4tter.", - "OptionDetectArchiveFilesAsMediaHelp": "Om aktiverad, kommer filer med .rar och .zip f\u00f6rl\u00e4ngningar att uppt\u00e4ckas som mediefiler.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "Jag accepterar anv\u00e4ndarvillkoren", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Sp\u00e5rnamn", - "ButtonPrivacyPolicy": "sekretesspolicy", - "LabelSelectUsers": "V\u00e4lj anv\u00e4ndare:", "OptionCommunityRating": "Allm\u00e4nhetens betyg", - "ButtonTermsOfService": "Anv\u00e4ndarvillkor", "OptionNameSort": "Namn", + "OptionFolderSort": "Mappar", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Int\u00e4kter", "OptionPoster": "Affisch", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Fondbild", "OptionTimeline": "Tidslinje", + "OptionThumb": "Miniatyr", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banderoll", "OptionCriticRating": "Kritikerbetyg", "OptionVideoBitrate": "Bithastighet f\u00f6r video", "OptionResumable": "Kan \u00e5terupptas", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Schemalagda aktiviteter", "TabMyPlugins": "Mina till\u00e4gg", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Den h\u00e4r guiden hj\u00e4lper dig att g\u00f6ra de f\u00f6rsta inst\u00e4llningarna. F\u00f6r att b\u00f6rja var v\u00e4nlig v\u00e4lj \u00f6nskat spr\u00e5k.", - "TellUsAboutYourself": "Ber\u00e4tta om dig sj\u00e4lv", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Automatiska uppdateringar", - "LabelYourFirstName": "Ditt f\u00f6rnamn:", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "Flera anv\u00e4ndare kan skapas senare i Kontrollpanelen.", "HeaderNowPlaying": "Nu spelas", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Nytillkomna album", - "LabelWindowsService": "Windows-tj\u00e4nst", "HeaderLatestSongs": "Nytillkomna l\u00e5tar", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "En Windows-tj\u00e4nst har installerats.", "HeaderRecentlyPlayed": "Nyligen spelade", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Ofta spelade", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "Om Media Browser k\u00f6rs som en tj\u00e4nst, notera att den inte kan k\u00f6ras samtidigt som aktivitetsf\u00e4ltsikonen, s\u00e5 f\u00f6r att k\u00f6ra tj\u00e4nsten m\u00e5ste ikonen st\u00e4ngas. Tj\u00e4nsten m\u00e5ste ocks\u00e5 k\u00f6ras med administrat\u00f6rsr\u00e4ttigheter (st\u00e4lls in i kontrollpanelen Tj\u00e4nster). Automatiska uppdateringar fungerar heller inte med tj\u00e4nsten, dvs tj\u00e4nsten m\u00e5ste stoppas f\u00f6re manuell uppdatering och sedan \u00e5terstartas.", "DevBuildWarning": "Utvecklingsversioner \u00e4r \"bleeding edge\". Dessa kommer ut ofta och \u00e4r otestade. Appen kanske kraschar och vissa delar kanske inte alls fungerar.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Inst\u00e4llningar", - "LabelEnableVideoImageExtraction": "Ta fram bildrutor ur videofiler", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "Dessa anv\u00e4nds f\u00f6r objekt som saknar bilder och d\u00e4r vi inte hittar n\u00e5gra vid s\u00f6kning p\u00e5 Internet. Detta g\u00f6r att den f\u00f6rsta genoms\u00f6kningen av biblioteket tar lite l\u00e4ngre tid, men ger en snyggare presentation.", - "LabelEnableChapterImageExtractionForMovies": "Ta fram kapitelbildrutor ur filmfiler", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Aktivera automatisk koppling av portar", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP m\u00f6jligg\u00f6r automatisk inst\u00e4llning av din router s\u00e5 att du enkelt kan n\u00e5 Media Browser fr\u00e5n Internet. Detta kanske inte fungerar med alla routrar.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "OK", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Avbryt", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Konfigurera mediabiblioteket", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Skapa mediamapp", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Typ av mapp:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Se avsnittet om mediabibliotek i v\u00e5r Wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Land:", - "LabelLanguage": "Spr\u00e5k:", - "HeaderPreferredMetadataLanguage": "\u00d6nskat spr\u00e5k f\u00f6r metadata:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Spara grafik och metadata i mediamapparna", - "LabelSaveLocalMetadataHelp": "Om grafik och metadata sparas tillsammans med media \u00e4r de enkelt \u00e5tkomliga f\u00f6r redigering.", - "LabelDownloadInternetMetadata": "H\u00e4mta grafik och metadata fr\u00e5n Internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Enhets\u00e5tkomst", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Miniatyr", - "LabelExit": "Avsluta", - "OptionBanner": "Banderoll", - "LabelVisitCommunity": "Bes\u00f6k v\u00e5rt diskussionsforum", "LabelVideoType": "Videoformat:", "OptionBluray": "Blu-ray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "F\u00f6rval", "OptionIso": "ISO", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Aktivera \u00e5tkomst fr\u00e5n alla enheter", - "LabelBrowseLibrary": "Bl\u00e4ddra i biblioteket", "LabelFeatures": "Inneh\u00e5ll:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "V\u00e4lj kanaler att dela med denna anv\u00e4ndare. Administrat\u00f6rer kan redigera alla kanaler med hj\u00e4lp av metadatahanteraren.", + "LabelService": "Tj\u00e4nst:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Senaste resultat:", "OptionHasSubtitles": "Undertexter", - "LabelOpenLibraryViewer": "\u00d6ppna biblioteksbl\u00e4ddraren", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Starta om servern", "OptionHasThemeSong": "Ledmotiv", - "LabelShowLogWindow": "Visa loggf\u00f6nstret", "OptionHasThemeVideo": "Temavideo", - "LabelPrevious": "F\u00f6reg\u00e5ende", "TabMovies": "Filmer", - "LabelFinish": "Klart", "TabStudios": "Studior", - "FolderTypeMixed": "Blandat inneh\u00e5ll", - "LabelNext": "N\u00e4sta", "TabTrailers": "Trailers", - "FolderTypeMovies": "Filmer", - "LabelYoureDone": "Klart!", + "LabelArtists": "Artister:", + "LabelArtistsHelp": "Separera med ; vid flera", "HeaderLatestMovies": "Nytillkomna filmer", - "FolderTypeMusic": "Musik", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Nytillkomna trailers", - "FolderTypeAdultVideos": "Inneh\u00e5ll f\u00f6r vuxna", "OptionHasSpecialFeatures": "Extramaterial:", - "FolderTypePhotos": "Foton", - "ButtonSubmit": "Bekr\u00e4fta", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "Betyg p\u00e5 IMDB", - "FolderTypeMusicVideos": "Musikvideor", - "LabelFailed": "Misslyckades", "OptionParentalRating": "F\u00f6r\u00e4ldraklassning", - "FolderTypeHomeVideos": "Hemvideor", - "LabelSeries": "Serie:", "OptionPremiereDate": "Premi\u00e4rdatum", - "FolderTypeGames": "Spel", - "ButtonRefresh": "Uppdatera", "TabBasic": "Grunderna", - "FolderTypeBooks": "B\u00f6cker", - "HeaderPlaybackSettings": "Uppspelningsinst\u00e4llningar", "TabAdvanced": "Avancerat", - "FolderTypeTvShows": "TV", "HeaderStatus": "Status", "OptionContinuing": "P\u00e5g\u00e5ende", "OptionEnded": "Avslutad", - "HeaderSync": "Sync", - "TabPreferences": "Inst\u00e4llningar", "HeaderAirDays": "S\u00e4ndningsdagar", - "OptionReleaseDate": "Premi\u00e4rdatum", - "TabPassword": "L\u00f6senord", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "S\u00f6ndag", - "LabelArtists": "Artister:", - "TabLibraryAccess": "\u00c5tkomst till biblioteket", - "TitleAutoOrganize": "Katalogisera automatiskt", "OptionMonday": "M\u00e5ndag", - "LabelArtistsHelp": "Separera med ; vid flera", - "TabImage": "Bild", - "TabActivityLog": "Aktivitetslogg", "OptionTuesday": "Tisdag", - "ButtonAdvancedRefresh": "Avancerad uppdatering", - "TabProfile": "Profil", - "HeaderName": "Namn", "OptionWednesday": "Onsdag", - "LabelDisplayMissingEpisodesWithinSeasons": "Visa saknade avsnitt i s\u00e4songer", - "HeaderDate": "Datum", "OptionThursday": "Torsdag", - "LabelUnairedMissingEpisodesWithinSeasons": "Visa \u00e4nnu ej s\u00e4nda avsnitt i s\u00e4songer", - "HeaderSource": "K\u00e4lla", "OptionFriday": "Fredag", - "ButtonAddLocalUser": "Skapa lokal anv\u00e4ndare", - "HeaderVideoPlaybackSettings": "Inst\u00e4llningar f\u00f6r videouppspelning", - "HeaderDestination": "M\u00e5l", "OptionSaturday": "L\u00f6rdag", - "LabelAudioLanguagePreference": "\u00d6nskat spr\u00e5k f\u00f6r ljudsp\u00e5r", - "HeaderProgram": "Program", "HeaderManagement": "Administration", - "OptionMissingTmdbId": "TMDB-ID saknas", - "LabelSubtitleLanguagePreference": "\u00d6nskat spr\u00e5k f\u00f6r undertexter:", - "HeaderClients": "Klienter", + "LabelManagement": "Administration:", "OptionMissingImdbId": "IMDB-ID saknas", - "OptionIsHD": "HD", - "HeaderAudio": "Ljud", - "LabelCompleted": "Klar", "OptionMissingTvdbId": "TVDB-ID saknas", + "OptionMissingOverview": "Synopsis saknas", + "OptionFileMetadataYearMismatch": "Fildatum\/metadatadatum \u00f6verensst\u00e4mmer ej", + "TabGeneral": "Allm\u00e4nt", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "H\u00e4ndelselogg", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Om", + "TabSupporterKey": "Donationskod", + "TabBecomeSupporter": "Bidra med en donation", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "S\u00f6k i kunskapsdatabasen", + "VisitTheCommunity": "Bes\u00f6k anv\u00e4ndargrupperna", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Visa inte den h\u00e4r anv\u00e4ndaren p\u00e5 inloggningssidorna", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "Sp\u00e4rra den h\u00e4r anv\u00e4ndaren", + "OptionDisableUserHelp": "Sp\u00e4rrade anv\u00e4ndare till\u00e5ts ej kontakta servern. Eventuella p\u00e5g\u00e5ende anslutningar avbryts omedelbart.", + "HeaderAdvancedControl": "Avancerade anv\u00e4ndarinst\u00e4llningar", + "LabelName": "Namn:", + "ButtonHelp": "Hj\u00e4lp", + "OptionAllowUserToManageServer": "Till\u00e5t denna anv\u00e4ndare att administrera servern", + "HeaderFeatureAccess": "Tillg\u00e5ng till funktioner", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Till\u00e5t fj\u00e4rrstyrning av andra anv\u00e4ndare", + "OptionAllowRemoteSharedDevices": "Till\u00e5t fj\u00e4rrstyrning av delade enheter", + "OptionAllowRemoteSharedDevicesHelp": "DLNA-enheter betraktas som delade tills en anv\u00e4ndare b\u00f6rjar kontrollera den.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Fj\u00e4rrkontroll", + "OptionMissingTmdbId": "TMDB-ID saknas", + "OptionIsHD": "HD", "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Snabbstartguide", - "TabProfiles": "Profiler", - "OptionMissingOverview": "Synopsis saknas", "OptionMetascore": "Metabetyg", - "HeaderSyncJobInfo": "Synk jobb", - "TabSecurity": "S\u00e4kerhet", - "HeaderVideo": "Video", - "LabelSkipped": "Hoppades \u00f6ver", - "OptionFileMetadataYearMismatch": "Fildatum\/metadatadatum \u00f6verensst\u00e4mmer ej", "ButtonSelect": "V\u00e4lj", - "ButtonAddUser": "Ny anv\u00e4ndare", - "HeaderEpisodeOrganization": "Katalogisering av avsnitt", - "TabGeneral": "Allm\u00e4nt", "ButtonGroupVersions": "Gruppera versioner", - "TabGuide": "TV-guide", - "ButtonSave": "Spara", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Anv\u00e4nder Pismo File Mount baserat p\u00e5 en sk\u00e4nkt licens", - "TabChannels": "Kanaler", - "ButtonResetPassword": "\u00c5terst\u00e4ll l\u00f6senord", - "LabelSeasonNumber": "Season number:", - "TabLog": "H\u00e4ndelselogg", + "TangibleSoftwareMessage": "Anv\u00e4nder Tangible Solutions Java\/C#-konverterare baserat p\u00e5 en sk\u00e4nkt licens.", + "HeaderCredits": "Tack till", "PleaseSupportOtherProduces": "St\u00f6d g\u00e4rna de gratisprodukter vi anv\u00e4nder:", - "HeaderChannels": "Kanaler", - "LabelNewPassword": "Nytt l\u00f6senord:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "Om", "VersionNumber": "Version {0}", - "TabRecordings": "Inspelningar", - "LabelNewPasswordConfirm": "Bekr\u00e4fta nytt l\u00f6senord:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Donationskod", "TabPaths": "S\u00f6kv\u00e4gar", - "TabScheduled": "Bokade", - "HeaderCreatePassword": "Skapa l\u00f6senord", - "LabelEndingEpisodeNumberHelp": "Kr\u00e4vs endast f\u00f6r filer som inneh\u00e5ller flera avsnitt", - "TabBecomeSupporter": "Bidra med en donation", "TabServer": "Server", - "TabSeries": "Serie", - "LabelCurrentPassword": "Nuvarande l\u00f6senord:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Omkodning", - "ButtonCancelRecording": "Avbryt inspelning", - "LabelMaxParentalRating": "H\u00f6gsta till\u00e5tna \u00e5ldersgr\u00e4ns", - "LabelSupportAmount": "Belopp (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Avancerat", - "HeaderPrePostPadding": "Marginal f\u00f6re\/efter", - "MaxParentalRatingHelp": "Inneh\u00e5ll med h\u00f6gre gr\u00e4ns visas ej f\u00f6r den h\u00e4r anv\u00e4ndaren.", - "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.", - "SearchKnowledgeBase": "S\u00f6k i kunskapsdatabasen", "LabelAutomaticUpdateLevel": "Niv\u00e5 f\u00f6r auto-uppdatering", - "LabelPrePaddingMinutes": "Marginal i minuter f\u00f6re programstart:", - "LibraryAccessHelp": "Ange vilka mediamappar den h\u00e4r anv\u00e4ndaren ska ha tillg\u00e5ng till. Administrat\u00f6rer har r\u00e4ttighet att redigera alla mappar i metadatahanteraren.", - "ButtonEnterSupporterKey": "Ange din donationskod", - "VisitTheCommunity": "Bes\u00f6k anv\u00e4ndargrupperna", + "OptionRelease": "Officiell version", + "OptionBeta": "Betaversion", + "OptionDev": "Utvecklarversion (instabil)", "LabelAllowServerAutoRestart": "Till\u00e5t att servern startas om automatiskt efter uppdateringar", - "OptionPrePaddingRequired": "Marginal f\u00f6re programstart kr\u00e4vs f\u00f6r inspelning.", - "OptionNoSubtitles": "Inga undertexter", - "DonationNextStep": "N\u00e4r du \u00e4r klar, g\u00e5 tillbaka och ange din donationskod, som du kommer att f\u00e5 via e-post.", "LabelAllowServerAutoRestartHelp": "Servern startas om endast d\u00e5 inga anv\u00e4ndare \u00e4r inloggade.", - "LabelPostPaddingMinutes": "Marginal i minuter efter programslut:", - "AutoOrganizeHelp": "Automatisk katalogisering bevakar angivna mappar och flyttar nytillkomna objekt till dina mediamappar.", "LabelEnableDebugLogging": "Aktivera loggning p\u00e5 avlusningsniv\u00e5", - "OptionPostPaddingRequired": "Marginal efter programslut kr\u00e4vs f\u00f6r inspelning.", - "AutoOrganizeTvHelp": "Katalogiseringen av TV-avsnitt flyttar bara nya avsnitt av befintliga serier. Den skapar inte mappar f\u00f6r nya serier.", - "OptionHideUser": "Visa inte den h\u00e4r anv\u00e4ndaren p\u00e5 inloggningssidorna", "LabelRunServerAtStartup": "Starta servern d\u00e5 systemet startas", - "HeaderWhatsOnTV": "S\u00e4nds just nu", - "ButtonNew": "Nytillkommet", - "OptionEnableEpisodeOrganization": "Aktivera katalogisering av nya avsnitt", - "OptionDisableUser": "Sp\u00e4rra den h\u00e4r anv\u00e4ndaren", "LabelRunServerAtStartupHelp": "Detta g\u00f6r att Media Browser startas med aktivitetsf\u00e4ltsikon n\u00e4r Windows startas. F\u00f6r att anv\u00e4nda Windows-tj\u00e4nsten, avmarkera detta och starta tj\u00e4nsten fr\u00e5n kontrollpanelen. M\u00e4rk att tj\u00e4nsten inte kan k\u00f6ras samtidigt som aktivitetsf\u00e4ltsikonen s\u00e5 f\u00f6r att k\u00f6ra tj\u00e4nsten m\u00e5ste ikonen st\u00e4ngas.", - "HeaderUpcomingTV": "Kommande program", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Bevakad mapp:", - "OptionDisableUserHelp": "Sp\u00e4rrade anv\u00e4ndare till\u00e5ts ej kontakta servern. Eventuella p\u00e5g\u00e5ende anslutningar avbryts omedelbart.", "ButtonSelectDirectory": "V\u00e4lj mapp", - "TabStatus": "Status", - "TabImages": "Bilder", - "LabelWatchFolderHelp": "Servern s\u00f6ker igenom den h\u00e4r mappen d\u00e5 den schemalagda katalogiseringen k\u00f6rs.", - "HeaderAdvancedControl": "Avancerade anv\u00e4ndarinst\u00e4llningar", "LabelCustomPaths": "Ange anpassade s\u00f6kv\u00e4gar d\u00e4r s\u00e5 \u00f6nskas. L\u00e4mna tomt f\u00f6r att anv\u00e4nda standardv\u00e4rdena.", - "TabSettings": "Inst\u00e4llningar", - "TabCollectionTitles": "Titlar", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "Visa schemalagda aktiviteter", - "LabelName": "Namn:", "LabelCachePath": "Plats f\u00f6r cache:", - "ButtonRefreshGuideData": "Uppdatera programguiden", - "LabelMinFileSizeForOrganize": "Minsta filstorlek (MB):", - "OptionAllowUserToManageServer": "Till\u00e5t denna anv\u00e4ndare att administrera servern", "LabelCachePathHelp": "Ange en plats f\u00f6r serverns cachefiler, t ex bilder.", - "OptionPriority": "Prioritet", - "ButtonRemove": "Ta bort", - "LabelMinFileSizeForOrganizeHelp": "Filer mindre \u00e4n denna storlek kommer inte att behandlas.", - "HeaderFeatureAccess": "Tillg\u00e5ng till funktioner", "LabelImagesByNamePath": "Plats f\u00f6r bilddatabasen (ImagesByName):", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "L\u00e4gg till eller ta bort filmer, tv-serier, album, b\u00f6cker eller spel du vill gruppera inom den h\u00e4r samlingen.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Namnm\u00f6nster f\u00f6r s\u00e4songmappar:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "L\u00e4gg till titlar", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Plats f\u00f6r metadata:", + "LabelMetadataPathHelp": "Ange en plats f\u00f6r nerladdad grafik och metadata, om du inte vill spara dessa i mediamapparna.", + "LabelTranscodingTempPath": "Mellanlagringsplats f\u00f6r omkodning:", + "LabelTranscodingTempPathHelp": "Denna mapp inneh\u00e5ller tillf\u00e4lliga filer som anv\u00e4nds vid omkodning. Ange en plats f\u00f6r dessa, eller l\u00e4mna blankt f\u00f6r att anv\u00e4nda f\u00f6rvald plats.", + "TabBasics": "Grunderna", + "TabTV": "TV", + "TabGames": "Spel", + "TabMusic": "Musik", + "TabOthers": "\u00d6vrigt", + "HeaderExtractChapterImagesFor": "Extrahera kapitelbildrutor f\u00f6r:", + "OptionMovies": "Filmer", + "OptionEpisodes": "Avsnitt", + "OptionOtherVideos": "Andra videor", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Aktivera automatiska uppdateringar", + "LabelAutomaticUpdatesTmdb": "Till\u00e5t automatiska uppdateringar fr\u00e5n TheMovieDB.org", + "LabelAutomaticUpdatesTvdb": "Till\u00e5t automatiska uppdateringar fr\u00e5n TheTVDB.com", + "LabelAutomaticUpdatesFanartHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 fanart.tv. Befintliga bilder p\u00e5verkas ej.", + "LabelAutomaticUpdatesTmdbHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 TheMovieDB.org. Befintliga bilder p\u00e5verkas ej.", + "LabelAutomaticUpdatesTvdbHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 TheTVDB.com. Befintliga bilder p\u00e5verkas ej.", + "LabelFanartApiKey": "Personlig api-nyckel:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelMetadataDownloadLanguage": "\u00d6nskat spr\u00e5k:", + "ButtonAutoScroll": "Rulla listor automatiskt", + "LabelImageSavingConvention": "Namngivningsformat f\u00f6r bilder:", + "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standard - MB2", + "ButtonSignIn": "Logga in", + "TitleSignIn": "Logga in", + "HeaderPleaseSignIn": "Var god logga in", + "LabelUser": "Anv\u00e4ndare:", + "LabelPassword": "L\u00f6senord:", + "ButtonManualLogin": "Manuell inloggning:", + "PasswordLocalhostMessage": "L\u00f6senord kr\u00e4vs ej vid lokal inloggning.", + "TabGuide": "TV-guide", + "TabChannels": "Kanaler", + "TabCollections": "Samlingar", + "HeaderChannels": "Kanaler", + "TabRecordings": "Inspelningar", + "TabScheduled": "Bokade", + "TabSeries": "Serie", + "TabFavorites": "Favoriter", + "TabMyLibrary": "Mitt bibliotek", + "ButtonCancelRecording": "Avbryt inspelning", + "HeaderPrePostPadding": "Marginal f\u00f6re\/efter", + "LabelPrePaddingMinutes": "Marginal i minuter f\u00f6re programstart:", + "OptionPrePaddingRequired": "Marginal f\u00f6re programstart kr\u00e4vs f\u00f6r inspelning.", + "LabelPostPaddingMinutes": "Marginal i minuter efter programslut:", + "OptionPostPaddingRequired": "Marginal efter programslut kr\u00e4vs f\u00f6r inspelning.", + "HeaderWhatsOnTV": "S\u00e4nds just nu", + "HeaderUpcomingTV": "Kommande program", + "TabStatus": "Status", + "TabSettings": "Inst\u00e4llningar", + "ButtonRefreshGuideData": "Uppdatera programguiden", + "ButtonRefresh": "Uppdatera", + "ButtonAdvancedRefresh": "Avancerad uppdatering", + "OptionPriority": "Prioritet", + "OptionRecordOnAllChannels": "Record on all channels", + "OptionRecordAnytime": "Record at any time", "OptionRecordOnlyNewEpisodes": "Spela bara in nya avsnitt", + "HeaderRepeatingOptions": "Repeating Options", + "HeaderDays": "Dagar", + "HeaderActiveRecordings": "P\u00e5g\u00e5ende inspelningar", + "HeaderLatestRecordings": "Senaste inspelningarna", + "HeaderAllRecordings": "Alla inspelningar", + "ButtonPlay": "Spela upp", + "ButtonEdit": "\u00c4ndra", + "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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.", + "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", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "LabelMetadataPathHelp": "Ange en plats f\u00f6r nerladdad grafik och metadata, om du inte vill spara dessa i mediamapparna.", - "HeaderDays": "Dagar", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Mellanlagringsplats f\u00f6r omkodning:", - "HeaderActiveRecordings": "P\u00e5g\u00e5ende inspelningar", "LabelEnableDlnaDebugLogging": "Aktivera DLNA fels\u00f6kningsloggning", - "OptionAllowRemoteControlOthers": "Till\u00e5t fj\u00e4rrstyrning av andra anv\u00e4ndare", - "LabelTranscodingTempPathHelp": "Denna mapp inneh\u00e5ller tillf\u00e4lliga filer som anv\u00e4nds vid omkodning. Ange en plats f\u00f6r dessa, eller l\u00e4mna blankt f\u00f6r att anv\u00e4nda f\u00f6rvald plats.", - "HeaderLatestRecordings": "Senaste inspelningarna", "LabelEnableDlnaDebugLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.", - "TabBasics": "Grunderna", - "HeaderAllRecordings": "Alla inspelningar", "LabelEnableDlnaClientDiscoveryInterval": "Intervall f\u00f6r uppt\u00e4ckt av klienter (i sekunder)", - "LabelEnterConnectUserName": "Anv\u00e4ndarnamn eller email:", - "TabTV": "TV", - "LabelService": "Tj\u00e4nst:", - "ButtonPlay": "Spela upp", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Spel", - "LabelStatus": "Status:", - "ButtonEdit": "\u00c4ndra", "HeaderCustomDlnaProfiles": "Anpassade profiler", - "TabMusic": "Musik", - "LabelVersion": "Version:", - "ButtonRecord": "Spela in", "HeaderSystemDlnaProfiles": "Systemprofiler", - "TabOthers": "\u00d6vrigt", - "LabelLastResult": "Senaste resultat:", - "ButtonDelete": "Ta bort", "CustomDlnaProfilesHelp": "Skapa en anpassad profil f\u00f6r ny enhet eller f\u00f6r att \u00f6verlappa en systemprofil.", - "HeaderExtractChapterImagesFor": "Extrahera kapitelbildrutor f\u00f6r:", - "OptionRecordSeries": "Spela in serie", "SystemDlnaProfilesHelp": "Systemprofiler \u00e4r skrivskyddade. \u00c4ndringar av en systemprofil resulterar att en ny anpassad profil skapas.", - "OptionMovies": "Filmer", - "HeaderDetails": "Detaljinfo", "TitleDashboard": "\u00d6versikt", - "OptionEpisodes": "Avsnitt", "TabHome": "Hem", - "OptionOtherVideos": "Andra videor", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "L\u00e4nkar", "HeaderSystemPaths": "Systems\u00f6kv\u00e4gar", - "LabelAutomaticUpdatesTmdb": "Till\u00e5t automatiska uppdateringar fr\u00e5n TheMovieDB.org", "LinkCommunity": "Anv\u00e4ndargrupper", - "LabelAutomaticUpdatesTvdb": "Till\u00e5t automatiska uppdateringar fr\u00e5n TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 fanart.tv. Befintliga bilder p\u00e5verkas ej.", + "LinkApi": "Api", "LinkApiDocumentation": "API-dokumentation", - "LabelAutomaticUpdatesTmdbHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 TheMovieDB.org. Befintliga bilder p\u00e5verkas ej.", "LabelFriendlyServerName": "Ditt \u00f6nskade servernamn:", - "LabelAutomaticUpdatesTvdbHelp": "Om aktiverat h\u00e4mtas nya bilder automatiskt efter hand som de blir tillg\u00e4ngliga p\u00e5 TheTVDB.com. Befintliga bilder p\u00e5verkas ej.", - "OptionFolderSort": "Mappar", "LabelFriendlyServerNameHelp": "Det h\u00e4r namnet anv\u00e4nds f\u00f6r att identifiera servern, om det l\u00e4mnas tomt kommer datorns namn att anv\u00e4ndas.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Fondbild", "LabelPreferredDisplayLanguage": "F\u00f6redraget visningsspr\u00e5k:", - "LabelMetadataDownloadLanguage": "\u00d6nskat spr\u00e5k:", - "TitleLiveTV": "Live-TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Rulla listor automatiskt", - "LabelNumberOfGuideDays": "Antal dagars tabl\u00e5 att h\u00e4mta", "LabelReadHowYouCanContribute": "L\u00e4s om hur du kan bidra.", + "HeaderNewCollection": "Ny samling", + "ButtonSubmit": "Bekr\u00e4fta", + "ButtonCreate": "Skapa", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "External WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Kr\u00e4vs endast f\u00f6r filer som inneh\u00e5ller flera avsnitt", + "HeaderSupportTheTeam": "Support the Emby Team", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "P\u00e5g\u00e5ende aktiviteter", + "HeaderActiveDevices": "Aktiva enheter", + "HeaderPendingInstallations": "V\u00e4ntande installationer", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Starta om nu", - "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\".", - "ButtonOptions": "Alternativ", - "NotificationOptionApplicationUpdateInstalled": "Programuppdatering installerad", "ButtonRestart": "Starta om", - "LabelChannelDownloadPath": "Plats f\u00f6r lagring av nedladdat kanalinneh\u00e5ll:", - "NotificationOptionPluginUpdateInstalled": "Till\u00e4gg har uppdaterats", "ButtonShutdown": "St\u00e4ng av", - "LabelChannelDownloadPathHelp": "Ange anpassad plats om s\u00e5 \u00f6nskas. L\u00e4mna tomt f\u00f6r att anv\u00e4nda en intern programdatamapp.", - "NotificationOptionPluginInstalled": "Till\u00e4gg har installerats", "ButtonUpdateNow": "Uppdatera nu", - "LabelChannelDownloadAge": "Radera inneh\u00e5ll efter (dagar):", - "NotificationOptionPluginUninstalled": "Till\u00e4gg har avinstallerats", + "TabHosting": "Hosting", "PleaseUpdateManually": "Var god st\u00e4ng av servern och uppdatera manuellt.", - "LabelChannelDownloadAgeHelp": "Nedladdat inneh\u00e5ll \u00e4ldre \u00e4n s\u00e5 raderas. Det \u00e4r fortfarande tillg\u00e4ngligt via str\u00f6mning fr\u00e5n Internet.", - "NotificationOptionTaskFailed": "Schemalagd aktivitet har misslyckats", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Installera kanaler, t ex Trailers och Vimeo, via till\u00e4ggskatalogen.", - "NotificationOptionInstallationFailed": "Fel vid installation", "ServerUpToDate": "Emby Server is up to date", + "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": "Om du f\u00e5tt en ny supporter nyckel, anv\u00e4nd detta formul\u00e4r f\u00f6r att \u00f6verf\u00f6ra gamla nyckelns registreringar till din nya.", + "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", + "MessageInvalidKey": "Supporterkod ogiltig eller saknas.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", + "HeaderDisplaySettings": "Bildsk\u00e4rmsinst\u00e4llningar", + "TabPlayTo": "Spela upp p\u00e5", + "LabelEnableDlnaServer": "Aktivera DLNA-server", + "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", + "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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", + "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", - "LabelComponentsUpdated": "F\u00f6ljande komponenter har installerats eller uppdaterats:", + "CategoryApplication": "App", + "CategoryPlugin": "Till\u00e4gg", "LabelMessageTitle": "Meddelandetitel", - "ButtonNext": "N\u00e4sta", - "MessagePleaseRestartServerToFinishUpdating": "V\u00e4nligen starta om servern f\u00f6r att slutf\u00f6ra uppdateringarna.", "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", - "LabelSkipIfGraphicalSubsPresent": "Hoppa \u00f6ver om videon redan inneh\u00e5ller grafiska undertexter", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Hoppa \u00f6ver om det f\u00f6rvalda ljudsp\u00e5rets spr\u00e5k \u00e4r samma som det nerladdade", "LabelProfileContainersHelp": "\u00c5tskilda med kommatecken, detta kan l\u00e4mnas tomt f\u00f6r att g\u00e4lla f\u00f6r alla beh\u00e5llare.", - "LabelSkipIfAudioTrackPresentHelp": "Bocka ur denna f\u00f6r att ge undertexter \u00e5t alla videor oavsett ljudsp\u00e5rets spr\u00e5k.", "HeaderResponseProfile": "Svarsprofil", "LabelType": "Typ:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Roll:", + "LabelPersonRoleHelp": "Roll anv\u00e4nds i allm\u00e4nhet bara f\u00f6r sk\u00e5despelare.", "LabelProfileContainer": "Beh\u00e5llare:", "LabelProfileVideoCodecs": "Kodning av video:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Kodning av ljud:", "LabelProfileCodecs": "Videokodningar:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Profil f\u00f6r direktuppspelning", - "ButtonClose": "St\u00e4ng", - "TabView": "Vy", - "TabSort": "Sortera", "HeaderTranscodingProfile": "Profil f\u00f6r omkodning", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "Inga", - "TabFilter": "Filtrera", - "HeaderLiveTv": "Live-TV", - "ButtonView": "Visa", "HeaderCodecProfile": "Profil f\u00f6r videokodning", - "HeaderReports": "Rapporter", - "LabelPageSize": "Max antal objekt:", "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.", - "HeaderMetadataManager": "Metadatahanteraren", - "LabelView": "Vy:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Inst\u00e4llningar", "HeaderContainerProfile": "Beh\u00e5llareprofil", - "MessageLoadingChannels": "H\u00e4mtar kanalinneh\u00e5ll...", - "ButtonMarkRead": "Markera som l\u00e4st", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "F\u00f6rval", - "OptionCommunityMostWatchedSort": "Oftast visade", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Videouppspelning stoppad", "OptionProfileAudio": "Ljud", - "HeaderMyViews": "Mina vyer", "OptionProfileVideoAudio": "Videoljudsp\u00e5r", - "NotificationOptionAudioPlaybackStopped": "Ljuduppspelning stoppad", - "ButtonVolumeUp": "H\u00f6j volymen", - "OptionLatestTvRecordings": "Senaste inspelningar", - "NotificationOptionGamePlaybackStopped": "Spel stoppat", - "ButtonVolumeDown": "S\u00e4nk volymen", - "ButtonMute": "Tyst", "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.", - "ButtonArrowUp": "Upp", "OptionPlainStorageFolders": "Visa alla mappar som vanliga lagringsmappar", - "LabelChapterName": "Kapitel {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Ned", "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\".", - "HeaderNewApiKey": "Ny API-nyckel", - "ButtonArrowLeft": "V\u00e4nster", "OptionPlainVideoItems": "Visa alla videor som objekt utan specifikt format", - "LabelAppName": "Appens namn", - "ButtonArrowRight": "H\u00f6ger", - "LabelAppNameExample": "Exempel: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "F\u00f6reg\u00e5ende", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Mediaformat som st\u00f6ds:", - "ButtonPageUp": "Sida upp", "TabIdentification": "Identifiering", - "ButtonPageDown": "Sida ned", + "HeaderIdentification": "Identifiering", "TabDirectPlay": "Direktuppspelning", - "PageAbbreviation": "Sid", "TabContainers": "Beh\u00e5llare", - "ButtonHome": "Hem", "TabCodecs": "Kodningsformat", - "LabelChannelDownloadSizeLimitHelpText": "Gr\u00e4ns f\u00f6r storleken p\u00e5 mappen f\u00f6r nerladdning av kanaler.", - "ButtonSettings": "Inst\u00e4llningar", "TabResponses": "Svar", - "ButtonTakeScreenshot": "Ta sk\u00e4rmbild", "HeaderProfileInformation": "Profilinformation", - "ButtonLetterUp": "Bokstav upp", - "ButtonLetterDown": "Bokstav ned", "LabelEmbedAlbumArtDidl": "B\u00e4dda in omslagsbilder i Didl", - "PageButtonAbbreviation": "Sid", "LabelEmbedAlbumArtDidlHelp": "Vissa enheter f\u00f6redrar den h\u00e4r metoden att ta fram omslagsbilder. Andra kanske avbryter avspelningen om detta val \u00e4r aktiverat.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Nu spelas", "LabelAlbumArtPN": "PN f\u00f6r omslagsbilder:", - "TabNavigation": "Navigering", "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:", - "ButtonFullscreen": "V\u00e4xla fullsk\u00e4rmsl\u00e4ge", "LabelAlbumArtMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos omslagsbilder presenterade via upnp:albumArtURI.", - "HeaderDisplaySettings": "Bildsk\u00e4rmsinst\u00e4llningar", - "ButtonAudioTracks": "Ljudsp\u00e5r", "LabelIconMaxWidth": "Maxbredd p\u00e5 ikoner:", - "TabPlayTo": "Spela upp p\u00e5", - "HeaderFeatures": "Extramaterial", "LabelIconMaxWidthHelp": "H\u00f6gsta uppl\u00f6sning p\u00e5 ikoner som visas via upnp:icon.", - "LabelEnableDlnaServer": "Aktivera DLNA-server", - "HeaderAdvanced": "Avancerat", "LabelIconMaxHeight": "Maxh\u00f6jd p\u00e5 ikoner:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos ikoner som visas via upnp:icon.", - "LabelEnableBlastAliveMessages": "Skicka ut \"jag lever\"-meddelanden", "LabelIdentificationFieldHelp": "En skiftl\u00e4gesok\u00e4nslig delstr\u00e4ng eller regex-uttryck.", - "LabelEnableBlastAliveMessagesHelp": "Aktivera detta om andra UPnP-enheter p\u00e5 n\u00e4tverket har problem att uppt\u00e4cka servern.", - "CategoryApplication": "App", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "S\u00e4ndningsintervall i sekunder f\u00f6r \"jag lever\"-meddelanden", - "CategoryPlugin": "Till\u00e4gg", "LabelMaxBitrate": "H\u00f6gsta bithastighet:", - "LabelBlastMessageIntervalHelp": "Anger tid i sekunder mellan varje \"jag lever\"-meddelande.", - "NotificationOptionPluginError": "Fel uppstod med till\u00e4gget", "LabelMaxBitrateHelp": "Ange en h\u00f6gsta bithastighet i bandbreddsbegr\u00e4nsade milj\u00f6er, eller i fall d\u00e4r enheten har sina egna begr\u00e4nsningar.", - "LabelDefaultUser": "F\u00f6rvald anv\u00e4ndare:", + "LabelMaxStreamingBitrate": "Max bithastighet f\u00f6r str\u00f6mning:", + "LabelMaxStreamingBitrateHelp": "Ange h\u00f6gsta bithastighet f\u00f6r str\u00f6mning.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "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.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "Om aktiverad kommer beg\u00e4ran att uppfyllas, men \"byte range\"-rubriken ignoreras.", "LabelFriendlyName": "\u00d6nskat namn", "LabelManufacturer": "Tillverkare", - "ViewTypeMovies": "Filmer", "LabelManufacturerUrl": "Tillverkarens webaddress", - "TabNextUp": "N\u00e4stkommande", - "ViewTypeTvShows": "TV", "LabelModelName": "Modellnamn", - "ViewTypeGames": "Spel", "LabelModelNumber": "Modellnummer", - "ViewTypeMusic": "Musik", "LabelModelDescription": "Modellbeskrivning", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Samlingar", "LabelModelUrl": "L\u00e4nk till modellen", - "HeaderOtherDisplaySettings": "Visningsinst\u00e4llningar", "LabelSerialNumber": "Serienummer", "LabelDeviceDescription": "Enhetsbeskrivning", - "LabelSelectFolderGroups": "Gruppera automatiskt inneh\u00e5ll fr\u00e5n dessa mappar i vyer, t ex Filmer, Musik eller TV:", "HeaderIdentificationCriteriaHelp": "Var god skriv in minst ett identifieringskriterium", - "LabelSelectFolderGroupsHelp": "Ej valda mappar kommer att visas f\u00f6r sig sj\u00e4lva i en egen vy.", "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.", - "ViewTypeLiveTvNowPlaying": "Visas nu", "HeaderResponseProfileHelp": "Svarsprofiler \u00e4r ett s\u00e4tt att anpassa den information som s\u00e4nds till enheten d\u00e5 olika typer av media spelas upp.", - "ViewTypeMusicFavorites": "Favoriter", - "ViewTypeLatestGames": "Senaste spelen", - "ViewTypeMusicSongs": "L\u00e5tar", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favoritalbum", - "ViewTypeRecentlyPlayedGames": "Nyligen spelade", "LabelXDlnaCapHelp": "Anger inneh\u00e5llet i elementet X_DLNACAP i namnutrymmet urn:schemas-dlna-org:device-1-0.", - "ViewTypeMusicFavoriteArtists": "Favoritartister", - "ViewTypeGameFavorites": "Favoriter", - "HeaderViewOrder": "Visningsordning", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favoritl\u00e5tar", - "HeaderHttpHeaders": "Http-rubriker", - "ViewTypeGameSystems": "Spelsystem", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Anger inneh\u00e5llet i elementet X_DLNADOC i namnutrymmet urn:schemas-dlna-org:device-1-0.", - "HeaderIdentificationHeader": "ID-rubrik", - "ViewTypeGameGenres": "Genrer", - "MessageNoChapterProviders": "Installera ett kapiteltill\u00e4gg s\u00e5som ChapterDb f\u00f6r att ge fler kapitelfunktioner.", "LabelSonyAggregationFlags": "\"Aggregation flags\" f\u00f6r Sony:", - "LabelValue": "V\u00e4rde:", - "ViewTypeTvResume": "\u00c5teruppta", - "TabChapters": "Kapitel", "LabelSonyAggregationFlagsHelp": "Anger inneh\u00e5llet i elementet aggregationFlags i namnutrymmet urn:schemas-sonycom:av.", - "ViewTypeMusicGenres": "Genrer", - "LabelMatchType": "Matchningstyp:", - "ViewTypeTvNextUp": "N\u00e4stkommande", + "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": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as 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": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "TabSubtitles": "Undertexter", + "TabChapters": "Kapitel", "HeaderDownloadChaptersFor": "H\u00e4mta kapitelnamn f\u00f6r:", + "LabelOpenSubtitlesUsername": "Inloggnings-ID hos Open Subtitles:", + "LabelOpenSubtitlesPassword": "L\u00f6senord hos Open Subtitles:", + "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "S\u00f6kningen gav inga resultat.", + "TabDisplay": "Visning", + "TabLanguages": "Spr\u00e5k", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Alternativ", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Startsidans sektion 1:", + "LabelHomePageSection2": "Startsidans sektion 2:", + "LabelHomePageSection3": "Startsidans sektion 3:", + "LabelHomePageSection4": "Startsidans sektion 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "\u00c5teruppta", + "OptionLatestMedia": "Nytillkommet", + "OptionLatestChannelMedia": "Senaste objekten i Kanaler", + "HeaderLatestChannelItems": "Senaste objekten i Kanaler", + "OptionNone": "Inga", + "HeaderLiveTv": "Live-TV", + "HeaderReports": "Rapporter", + "HeaderMetadataManager": "Metadatahanteraren", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "H\u00e4mtar kanalinneh\u00e5ll...", + "MessageLoadingContent": "H\u00e4mtar inneh\u00e5ll...", + "ButtonMarkRead": "Markera som l\u00e4st", + "OptionDefaultSort": "F\u00f6rval", + "OptionCommunityMostWatchedSort": "Oftast visade", + "TabNextUp": "N\u00e4stkommande", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 avnjuta personliga grupperingar av filmer, serier, Album, b\u00f6cker och spel. Klicka p\u00e5 knappen + f\u00f6r att b\u00f6rja skapa 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.", + "ButtonDismiss": "Avvisa", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Alternativ", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Filmer", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Spel", + "ViewTypeMusic": "Musik", + "ViewTypeMusicGenres": "Genrer", "ViewTypeMusicArtists": "Artister", - "OptionEquals": "Lika med", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Beh\u00e5llare:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Videokodning:", - "OptionSubstring": "Delstr\u00e4ng", + "ViewTypeTvShowSeries": "Serier", "ViewTypeTvGenres": "Genrer", - "LabelTranscodingVideoProfile": "Videoprofil:", + "ViewTypeTvFavoriteSeries": "Favoritserier", + "ViewTypeTvFavoriteEpisodes": "Favoritavsnitt", + "ViewTypeMovieResume": "\u00c5teruppta", + "ViewTypeMovieLatest": "Nytillkommet", + "ViewTypeMovieMovies": "Filmer", + "ViewTypeMovieCollections": "Samlingar", + "ViewTypeMovieFavorites": "Favoriter", + "ViewTypeMovieGenres": "Genrer", + "ViewTypeMusicLatest": "Nytillkommet", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Ljudkodning:", - "ViewTypeMovieResume": "\u00c5teruppta", "TabLogs": "Loggfiler", - "OptionEnableM2tsMode": "Till\u00e5t M2ts-l\u00e4ge", - "ViewTypeMovieLatest": "Nytillkommet", "HeaderServerLogFiles": "Serverloggfiler:", - "OptionEnableM2tsModeHelp": "Aktivera m2ts-l\u00e4ge n\u00e4r omkodning sker till mpegts.", - "ViewTypeMovieMovies": "Filmer", "TabBranding": "Branding", - "OptionEstimateContentLength": "Upskattad inneh\u00e5llsl\u00e4ngd vid omkodning", - "HeaderPassword": "L\u00f6senord", - "ViewTypeMovieCollections": "Samlingar", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Meddela att servern st\u00f6djer bytebaserad s\u00f6kning vid omkodning", - "HeaderLocalAccess": "Lokal \u00e5tkomst", - "ViewTypeMovieFavorites": "Favoriter", "LabelLoginDisclaimer": "Ansvarsbegr\u00e4nsning vid inloggning:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "Detta kr\u00e4vs f\u00f6r vissa enheter som inte kan utf\u00f6ra tidss\u00f6kning p\u00e5 ett tillfredsst\u00e4llande s\u00e4tt.", - "ViewTypeMovieGenres": "Genrer", "LabelLoginDisclaimerHelp": "Detta visas l\u00e4ngst ned p\u00e5 inloggningssidan.", - "ViewTypeMusicLatest": "Nytillkommet", "LabelAutomaticallyDonate": "Donera detta belopp automatiskt varje m\u00e5nad", - "ViewTypeMusicAlbums": "Album", "LabelAutomaticallyDonateHelp": "Du kan avbryta n\u00e4r som helst via ditt PayPal-konto.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Albumartister", - "LabelDownMixAudioScale": "H\u00f6j niv\u00e5n vid nedmixning av ljud", - "ButtonSync": "Synk", - "LabelPlayDefaultAudioTrack": "Anv\u00e4nd det f\u00f6rvalda ljudsp\u00e5ret oavsett spr\u00e5k", - "LabelDownMixAudioScaleHelp": "H\u00f6j niv\u00e5n vid nedmixning. S\u00e4tt v\u00e4rdet till 1 f\u00f6r att beh\u00e5lla den ursprungliga niv\u00e5n.", - "LabelHomePageSection4": "Startsidans sektion 4:", - "HeaderChapters": "Kapitel", - "LabelSubtitlePlaybackMode": "Undertextl\u00e4ge:", - "HeaderDownloadPeopleMetadataForHelp": "Aktivering av extrafunktioner g\u00f6r att mera information visas men g\u00f6r genoms\u00f6kning av biblioteket l\u00e5ngsammare.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Senaste objekten i Kanaler", - "HeaderResumeSettings": "\u00c5teruppta-inst\u00e4llningar", - "ViewTypeFolders": "Mappar", - "LabelOldSupporterKey": "Tidigare donationskod", - "HeaderLatestChannelItems": "Senaste objekten i Kanaler", - "LabelDisplayFoldersView": "Vy som visar vanliga lagringsmappar", - "LabelNewSupporterKey": "Ny donationskod", - "TitleRemoteControl": "Fj\u00e4rrkontroll", - "ViewTypeLiveTvRecordingGroups": "Inspelningar", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Kanaler", - "MultipleKeyLinkingHelp": "Om du f\u00e5tt en ny supporter nyckel, anv\u00e4nd detta formul\u00e4r f\u00f6r att \u00f6verf\u00f6ra gamla nyckelns registreringar till din nya.", - "LabelCurrentEmailAddress": "Nuvarande e-postadress", - "LabelCurrentEmailAddressHelp": "Den e-postadress den nya koden skickades till.", - "HeaderForgotKey": "Gl\u00f6mt koden", - "TabControls": "Kontroller", - "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", - "MessageInvalidKey": "Supporterkod ogiltig eller saknas.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Avsnitt:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Hemsidan", - "HeaderSettingsForThisDevice": "Inst\u00e4llningar f\u00f6r den h\u00e4r enheten", - "OptionMyMedia": "My media", - "OptionAllUsers": "Alla anv\u00e4ndare", - "ButtonDismiss": "Avvisa", - "OptionAdminUsers": "Administrat\u00f6rer", - "OptionDisplayAdultContent": "Visa erotiskt inneh\u00e5ll", - "HeaderSearchForSubtitles": "S\u00f6k efter undertexter", - "OptionCustomUsers": "Anpassad", - "ButtonMore": "Mer", - "MessageNoSubtitleSearchResultsFound": "S\u00f6kningen gav inga resultat.", + "OptionList": "Lista", + "TabDashboard": "Kontrollpanel", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Loggfiler:", + "LabelMetadata": "Metadata", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Tillf\u00e4lliga omkodningsfiler:", "HeaderLatestMusic": "Nytillkommen musik", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Visning", "HeaderBranding": "Branding", - "TabLanguages": "Spr\u00e5k", "HeaderApiKeys": "API-nycklar", - "LabelGroupChannelsIntoViews": "Visa dessa kanaler direkt i mina vyer:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "Om aktiverat kommer dessa kanaler att visas tillsammans med andra vyer. Annars visas de i en separat vy f\u00f6r Kanaler.", - "LabelEnableThemeSongs": "Aktivera ledmotiv", "HeaderApiKey": "API-nyckel", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Aktivera fondbilder", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Ladda ner undertexter f\u00f6r:", - "LabelEnableThemeSongsHelp": "Om aktiverat spelas ledmotiv upp vid bl\u00e4ddring i biblioteket.", "HeaderDevice": "Enhet", - "LabelEnableBackdropsHelp": "Om aktiverat visas fondbilder i bakgrunden av vissa sidor vid bl\u00e4ddring i biblioteket.", "HeaderUser": "Anv\u00e4ndare", "HeaderDateIssued": "Utgivningsdatum", - "TabSubtitles": "Undertexter", - "LabelOpenSubtitlesUsername": "Inloggnings-ID hos Open Subtitles:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "L\u00f6senord hos Open Subtitles:", - "OptionYes": "Ja", - "OptionNo": "Nej", - "LabelDownloadLanguages": "Spr\u00e5k att ladda ner:", - "LabelHomePageSection1": "Startsidans sektion 1:", - "ButtonRegister": "Registrera", - "LabelHomePageSection2": "Startsidans sektion 2:", - "LabelHomePageSection3": "Startsidans sektion 3:", - "OptionResumablemedia": "\u00c5teruppta", - "ViewTypeTvShowSeries": "Serier", - "OptionLatestMedia": "Nytillkommet", - "ViewTypeTvFavoriteSeries": "Favoritserier", - "ViewTypeTvFavoriteEpisodes": "Favoritavsnitt", - "LabelEpisodeNamePlain": "Avsnittsnamn", - "LabelSeriesNamePlain": "Seriens namn", - "LabelSeasonNumberPlain": "S\u00e4songsnummer", - "LabelEpisodeNumberPlain": "Avsnittsnummer", - "OptionLibraryFolders": "Mediamappar", - "LabelEndingEpisodeNumberPlain": "Avslutande avsnittsnummer", + "LabelChapterName": "Kapitel {0}", + "HeaderNewApiKey": "Ny API-nyckel", + "LabelAppName": "Appens namn", + "LabelAppNameExample": "Exempel: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "HeaderHttpHeaders": "Http-rubriker", + "HeaderIdentificationHeader": "ID-rubrik", + "LabelValue": "V\u00e4rde:", + "LabelMatchType": "Matchningstyp:", + "OptionEquals": "Lika med", + "OptionRegex": "Regex", + "OptionSubstring": "Delstr\u00e4ng", + "TabView": "Vy", + "TabSort": "Sortera", + "TabFilter": "Filtrera", + "ButtonView": "Visa", + "LabelPageSize": "Max antal objekt:", + "LabelPath": "S\u00f6kv\u00e4g:", + "LabelView": "Vy:", + "TabUsers": "Anv\u00e4ndare", + "LabelSortName": "Sorteringstitel:", + "LabelDateAdded": "Inlagd den:", + "HeaderFeatures": "Extramaterial", + "HeaderAdvanced": "Avancerat", + "ButtonSync": "Synk", + "TabScheduledTasks": "Schemalagda aktiviteter", + "HeaderChapters": "Kapitel", + "HeaderResumeSettings": "\u00c5teruppta-inst\u00e4llningar", + "TabSync": "Synk", + "TitleUsers": "Anv\u00e4ndare", + "LabelProtocol": "Protokoll:", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Live-str\u00f6mning via Http", + "LabelContext": "Metod:", + "OptionContextStreaming": "Str\u00f6mning", + "OptionContextStatic": "Synk", + "ButtonAddToPlaylist": "L\u00e4gg till i spellista", + "TabPlaylists": "Spellistor", + "ButtonClose": "St\u00e4ng", "LabelAllLanguages": "Alla spr\u00e5k", "HeaderBrowseOnlineImages": "Bl\u00e4ddra bland bilder online", "LabelSource": "K\u00e4lla:", @@ -939,509 +1067,388 @@ "LabelImage": "Bild:", "ButtonBrowseImages": "Bl\u00e4ddra bland bilder", "HeaderImages": "Bilder", - "LabelReleaseDate": "Premi\u00e4rdatum:", "HeaderBackdrops": "Fondbilder", - "HeaderOptions": "Alternativ", - "LabelWeatherDisplayLocation": "Geografisk plats f\u00f6r v\u00e4derdata:", - "TabUsers": "Anv\u00e4ndare", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "Slutdatum:", "HeaderScreenshots": "Sk\u00e4rmklipp", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "U.S. zip code \/ Stad, stat, land \/ Stad, land", - "LabelYear": "\u00c5r:", "HeaderAddUpdateImage": "L\u00e4gg till\/uppdatera bild", - "LabelWeatherDisplayUnit": "Enhet f\u00f6r v\u00e4derdata:", "LabelJpgPngOnly": "Endast JPG\/PNG", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Typ av bild:", - "HeaderActivity": "Aktivitet", - "LabelChannelDownloadSizeLimit": "Gr\u00e4ns f\u00f6r nerladdning (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Prim\u00e4r", - "ScheduledTaskStartedWithName": "{0} startad", - "MessageLoadingContent": "H\u00e4mtar inneh\u00e5ll...", - "HeaderRequireManualLogin": "Kr\u00e4v att anv\u00e4ndarnamn anges manuellt f\u00f6r:", "OptionArt": "Grafik", - "ScheduledTaskCancelledWithName": "{0} avbr\u00f6ts", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "Om avaktiverat kan klienterna visa en inloggningsbild f\u00f6r visuellt val av anv\u00e4ndare.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} slutf\u00f6rd", - "OptionOtherApps": "Andra appar", - "TabScheduledTasks": "Schemalagda aktiviteter", "OptionBoxRear": "Box bakre", - "ScheduledTaskFailed": "Planerad uppgift f\u00e4rdig", - "OptionMobileApps": "Mobilappar", "OptionDisc": "Skiva", - "PluginInstalledWithName": "{0} installerades", "OptionIcon": "Icon", "OptionLogo": "Logotyp", - "PluginUpdatedWithName": "{0} uppdaterades", "OptionMenu": "Meny", - "PluginUninstalledWithName": "{0} avinstallerades", "OptionScreenshot": "Sk\u00e4rmdump", - "ButtonScenes": "Scener", - "ScheduledTaskFailedWithName": "{0} misslyckades", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "L\u00e5st", - "ButtonSubtitles": "Undertexter", - "ItemAddedWithName": "{0} lades till i biblioteket", "OptionUnidentified": "Oidentifierad", - "ItemRemovedWithName": "{0} togs bort ur biblioteket", "OptionMissingParentalRating": "\u00c5ldersgr\u00e4ns saknas", - "HeaderCollections": "Samlingar", - "DeviceOnlineWithName": "{0} \u00e4r ansluten", "OptionStub": "Stump", + "HeaderEpisodes": "Avsnitt:", + "OptionSeason0": "S\u00e4song 0", + "LabelReport": "Rapport:", + "OptionReportSongs": "L\u00e5tar", + "OptionReportSeries": "Serier", + "OptionReportSeasons": "S\u00e4songer", + "OptionReportTrailers": "Trailers", + "OptionReportMusicVideos": "Musikvideos", + "OptionReportMovies": "Filmer", + "OptionReportHomeVideos": "Hemvideos", + "OptionReportGames": "Spel", + "OptionReportEpisodes": "Avsnitt", + "OptionReportCollections": "Samlingar", + "OptionReportBooks": "B\u00f6cker", + "OptionReportArtists": "Artister", + "OptionReportAlbums": "Album", + "OptionReportAdultVideos": "Vuxen videos", + "HeaderActivity": "Aktivitet", + "ScheduledTaskStartedWithName": "{0} startad", + "ScheduledTaskCancelledWithName": "{0} avbr\u00f6ts", + "ScheduledTaskCompletedWithName": "{0} slutf\u00f6rd", + "ScheduledTaskFailed": "Planerad uppgift f\u00e4rdig", + "PluginInstalledWithName": "{0} installerades", + "PluginUpdatedWithName": "{0} uppdaterades", + "PluginUninstalledWithName": "{0} avinstallerades", + "ScheduledTaskFailedWithName": "{0} misslyckades", + "ItemAddedWithName": "{0} lades till i biblioteket", + "ItemRemovedWithName": "{0} togs bort ur biblioteket", + "DeviceOnlineWithName": "{0} \u00e4r ansluten", "UserOnlineFromDevice": "{0} \u00e4r uppkopplad fr\u00e5n {1}", - "ButtonStop": "Stopp", "DeviceOfflineWithName": "{0} har avbrutit anslutningen", - "OptionList": "Lista", - "OptionSeason0": "S\u00e4song 0", - "ButtonPause": "Paus", "UserOfflineFromDevice": "{0} har kopplats bort fr\u00e5n {1}", - "TabDashboard": "Kontrollpanel", - "LabelReport": "Rapport:", "SubtitlesDownloadedForItem": "Undertexter har laddats ner f\u00f6r {0}", - "TitleServer": "Server", - "OptionReportSongs": "L\u00e5tar", "SubtitleDownloadFailureForItem": "Nerladdning av undertexter f\u00f6r {0} misslyckades", - "LabelCache": "Cache:", - "OptionReportSeries": "Serier", "LabelRunningTimeValue": "Speltid: {0}", - "LabelLogs": "Loggfiler:", - "OptionReportSeasons": "S\u00e4songer", "LabelIpAddressValue": "IP-adress: {0}", - "LabelMetadata": "Metadata", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "Anv\u00e4ndarinst\u00e4llningarna f\u00f6r {0} har uppdaterats", - "NotificationOptionNewLibraryContentMultiple": "Nytillkommet inneh\u00e5ll finns (flera objekt)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Musikvideos", "UserCreatedWithName": "Anv\u00e4ndaren {0} har skapats", - "HeaderSendMessage": "Skicka meddelande", - "LabelTranscodingTemporaryFiles": "Tillf\u00e4lliga omkodningsfiler:", - "OptionReportMovies": "Filmer", "UserPasswordChangedWithName": "L\u00f6senordet f\u00f6r {0} har \u00e4ndrats", - "ButtonSend": "Skicka", - "OptionReportHomeVideos": "Hemvideos", "UserDeletedWithName": "Anv\u00e4ndaren {0} har tagits bort", - "LabelMessageText": "Meddelandetext", - "OptionReportGames": "Spel", "MessageServerConfigurationUpdated": "Server konfigurationen har uppdaterats", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Avsnitt", - "ButtonPreviousTrack": "F\u00f6reg\u00e5ende sp\u00e5r:", "MessageNamedServerConfigurationUpdatedWithValue": "Serverinst\u00e4llningarnas del {0} ar uppdaterats", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Samlingar", - "ButtonNextTrack": "N\u00e4sta sp\u00e5r:", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "B\u00f6cker", - "HeaderServerSettings": "Serverinst\u00e4llningar", "AuthenticationSucceededWithUserName": "{0} har autentiserats", - "LabelKodiMetadataDateFormat": "Format f\u00f6r premi\u00e4rdatum:", - "OptionReportArtists": "Artister", "FailedLoginAttemptWithUserName": "Misslyckat inloggningsf\u00f6rs\u00f6k fr\u00e5n {0}", - "LabelKodiMetadataDateFormatHelp": "Alla datum i nfo-filer kommer att l\u00e4sas och skrivas i detta format.", - "ButtonAddToPlaylist": "L\u00e4gg till i spellista", - "OptionReportAlbums": "Album", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} har p\u00e5b\u00f6rjat uppspelning av {1}", - "LabelKodiMetadataSaveImagePaths": "Spara bilds\u00f6kv\u00e4gar i nfo-filer", - "LabelDisplayCollectionsView": "Vy som visar filmsamlingar", - "AdditionalNotificationServices": "S\u00f6k efter fler meddelandetill\u00e4gg i till\u00e4ggskatalogen.", - "OptionReportAdultVideos": "Vuxen videos", "UserStoppedPlayingItemWithValues": "{0} har avslutat uppspelning av {1}", - "LabelKodiMetadataSaveImagePathsHelp": "Detta rekommenderas om du har bilder med filnamn som inte uppfyller Kodis riktlinjer.", "AppDeviceValues": "App: {0}, enhet: {1}", - "LabelMaxStreamingBitrate": "Max bithastighet f\u00f6r str\u00f6mning:", - "LabelKodiMetadataEnablePathSubstitution": "Aktivera s\u00f6kv\u00e4gsutbyte", - "LabelProtocolInfo": "Protokollinfo:", "ProviderValue": "K\u00e4lla: {0}", + "LabelChannelDownloadSizeLimit": "Gr\u00e4ns f\u00f6r nerladdning (GB):", + "LabelChannelDownloadSizeLimitHelpText": "Gr\u00e4ns f\u00f6r storleken p\u00e5 mappen f\u00f6r nerladdning av kanaler.", + "HeaderRecentActivity": "Senaste aktivitet", + "HeaderPeople": "Personer", + "HeaderDownloadPeopleMetadataFor": "Ladda ner biografi och bilder f\u00f6r:", + "OptionComposers": "Komposit\u00f6rer", + "OptionOthers": "\u00d6vriga", + "HeaderDownloadPeopleMetadataForHelp": "Aktivering av extrafunktioner g\u00f6r att mera information visas men g\u00f6r genoms\u00f6kning av biblioteket l\u00e5ngsammare.", + "ViewTypeFolders": "Mappar", + "LabelDisplayFoldersView": "Vy som visar vanliga lagringsmappar", + "ViewTypeLiveTvRecordingGroups": "Inspelningar", + "ViewTypeLiveTvChannels": "Kanaler", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Ange h\u00f6gsta bithastighet f\u00f6r str\u00f6mning.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverar s\u00f6kv\u00e4gsutbyte enligt serverns inst\u00e4llningar.", - "LabelProtocolInfoHelp": "V\u00e4rde att anv\u00e4nda vid svar p\u00e5 GetProtocolInfo-beg\u00e4ran fr\u00e5n enheter.", - "LabelMaxStaticBitrate": "Max bithastighet vid synkronisering:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "Se \"s\u00f6kv\u00e4gsutbyte\".", - "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\".", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering.", - "LabelKodiMetadataEnableExtraThumbs": "Kopiera extrafanart till extrathumbs", - "MessageNoPlaylistItemsAvailable": "Den h\u00e4r spellistan \u00e4r tom.", - "TabSync": "Synk", - "LabelProtocol": "Protokoll:", - "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.", - "TabPlaylists": "Spellistor", - "LabelPersonRole": "Roll:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Anv\u00e4ndare", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Roll anv\u00e4nds i allm\u00e4nhet bara f\u00f6r sk\u00e5despelare.", - "OptionProtocolHls": "Live-str\u00f6mning via Http", - "LabelPath": "S\u00f6kv\u00e4g:", - "HeaderIdentification": "Identifiering", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Metod:", - "LabelSortName": "Sorteringstitel:", - "OptionContextStreaming": "Str\u00f6mning", - "LabelDateAdded": "Inlagd den:", + "HeaderPassword": "L\u00f6senord", + "HeaderLocalAccess": "Lokal \u00e5tkomst", + "HeaderViewOrder": "Visningsordning", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Synk", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metod f\u00f6r uppdatering av metadata:", - "ViewTypeChannels": "Kanaler", "LabelImageRefreshMode": "Metod f\u00f6r uppdatering av bilder:", - "ViewTypeLiveTV": "Live-TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Ladda ner saknade bilder", "OptionReplaceExistingImages": "Skriv \u00f6ver befintliga bilder", "OptionRefreshAllData": "Uppdatera alla data", "OptionAddMissingDataOnly": "L\u00e4gg bara till saknade data", "OptionLocalRefreshOnly": "Endast lokal uppdatering", - "LabelGroupMoviesIntoCollections": "Gruppera filmer i samlingsboxar", "HeaderRefreshMetadata": "Uppdatera metadata", - "LabelGroupMoviesIntoCollectionsHelp": "I filmlistor visas filmer som ing\u00e5r i en samlingsbox som ett enda objekt.", "HeaderPersonInfo": "Personinformation", "HeaderIdentifyItem": "Identifiera objekt", "HeaderIdentifyItemHelp": "Ange ett eller flera s\u00f6kkriterier. Ta bort kriterier f\u00f6r att f\u00e5 fler tr\u00e4ffar.", - "HeaderLatestMedia": "Nytillkommet", + "HeaderConfirmDeletion": "Bekr\u00e4fta radering", "LabelFollowingFileWillBeDeleted": "Denna fil kommer att raderas:", "LabelIfYouWishToContinueWithDeletion": "Om du vill forts\u00e4tta, ange v\u00e4rdet p\u00e5:", - "OptionSpecialFeatures": "Extramaterial", "ButtonIdentify": "Identifiera", "LabelAlbumArtist": "Albumartist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Anv\u00e4ndaromd\u00f6me:", "LabelVoteCount": "Antal r\u00f6ster:", - "ButtonSearch": "S\u00f6k", "LabelMetascore": "Metabetyg:", "LabelCriticRating": "Kritikerbetyg:", "LabelCriticRatingSummary": "Sammanfattning av kritikerbetyg:", "LabelAwardSummary": "Sammanfattning av utm\u00e4rkelser:", - "LabelSeasonZeroFolderName": "Namn p\u00e5 mapp f\u00f6r s\u00e4song 0", "LabelWebsite": "Hemsida:", - "HeaderEpisodeFilePattern": "Filnamnsm\u00f6nster f\u00f6r avsnitt", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Namnm\u00f6nster f\u00f6r avsnitt:", "LabelOverview": "Synopsis:", - "LabelMultiEpisodePattern": "Namnm\u00f6nster f\u00f6r multiavsnitt:", "LabelShortOverview": "Kort synopsis:", - "HeaderSupportedPatterns": "M\u00f6nster som st\u00f6ds", - "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.", - "LabelMusicStaticBitrate": "Bithastighet vid synkning av musik:", + "LabelReleaseDate": "Premi\u00e4rdatum:", + "LabelYear": "\u00c5r:", "LabelPlaceOfBirth": "F\u00f6delseort:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Samlingar g\u00f6r det m\u00f6jligt att avnjuta personliga grupperingar av filmer, serier, Album, b\u00f6cker och spel. Klicka p\u00e5 knappen + f\u00f6r att b\u00f6rja skapa samlingar.", - "LabelMusicStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering av musik", + "LabelEndDate": "Slutdatum:", "LabelAirDate": "S\u00e4ndningsdagar:", - "HeaderPattern": "M\u00f6nster", - "LabelMusicStreamingTranscodingBitrate": "Bithastighet vid omkodning av musik:", "LabelAirTime:": "S\u00e4ndningstid:", - "HeaderNotificationList": "Klicka p\u00e5 en meddelandetyp f\u00f6r att ange inst\u00e4llningar.", - "HeaderResult": "Resultat", - "LabelMusicStreamingTranscodingBitrateHelp": "Ange h\u00f6gsta bithastighet vid str\u00f6mning av musik", "LabelRuntimeMinutes": "Speltid (min):", - "LabelNotificationEnabled": "Aktivera denna meddelandetyp", - "LabelDeleteEmptyFolders": "Ta bort tomma mappar efter katalogisering", - "HeaderRecentActivity": "Senaste aktivitet", "LabelParentalRating": "\u00c5ldersgr\u00e4ns:", - "LabelDeleteEmptyFoldersHelp": "Aktivera detta f\u00f6r att h\u00e5lla rent i bevakade mappar.", - "ButtonOsd": "OSD", - "HeaderPeople": "Personer", "LabelCustomRating": "Anpassad \u00e5ldersgr\u00e4ns:", - "LabelDeleteLeftOverFiles": "Ta bort \u00f6verblivna filer med f\u00f6ljande till\u00e4gg:", - "MessageNoAvailablePlugins": "Inga till\u00e4gg tillg\u00e4ngliga.", - "HeaderDownloadPeopleMetadataFor": "Ladda ner biografi och bilder f\u00f6r:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Videouppspelning har p\u00e5b\u00f6rjats", - "LabelDeleteLeftOverFilesHelp": "\u00c5tskilj med;. Till exempel: .nfo;.txt", - "LabelDisplayPluginsFor": "Visa till\u00e4gg f\u00f6r:", - "OptionComposers": "Komposit\u00f6rer", "LabelRevenue": "Int\u00e4kter ($):", - "NotificationOptionAudioPlayback": "Ljuduppspelning har p\u00e5b\u00f6rjats", - "OptionOverwriteExistingEpisodes": "Skriv \u00f6ver existerande avsnitt", - "OptionOthers": "\u00d6vriga", "LabelOriginalAspectRatio": "Ursprungligt bildf\u00f6rh\u00e5llande:", - "NotificationOptionGamePlayback": "Spel har startats", - "LabelTransferMethod": "Metod f\u00f6r \u00f6verf\u00f6ring", "LabelPlayers": "Spelare:", - "OptionCopy": "Kopiera", "Label3DFormat": "3D-format:", - "NotificationOptionNewLibraryContent": "Nytt inneh\u00e5ll har tillkommit", - "OptionMove": "Flytta", "HeaderAlternateEpisodeNumbers": "Alternativ avsnittsnumrering", - "NotificationOptionServerRestartRequired": "Servern m\u00e5ste startas om", - "LabelTransferMethodHelp": "Kopiera eller flytta filer fr\u00e5n bevakade mappar", "HeaderSpecialEpisodeInfo": "Info om specialavsnitt", - "LabelMonitorUsers": "\u00d6vervaka aktivitet fr\u00e5n:", - "HeaderLatestNews": "Senaste nytt", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "Externa ID:n", - "LabelSendNotificationToUsers": "Skicka meddelande till:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Kanaler", - "HeaderRunningTasks": "P\u00e5g\u00e5ende aktiviteter", - "HeaderConfirmDeletion": "Bekr\u00e4fta radering", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "\u00d6nskad kvalitet vid str\u00f6mning via Internet:", - "HeaderActiveDevices": "Aktiva enheter", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "N\u00e4r bandbredden \u00e4r begr\u00e4nsad kan en l\u00e4gre kvalitet ge en mera st\u00f6rningsfri upplevelse.", - "HeaderPendingInstallations": "V\u00e4ntande installationer", - "HeaderTypeText": "Ange text", - "OptionBestAvailableStreamQuality": "B\u00e4sta tillg\u00e4ngliga", - "LabelUseNotificationServices": "Anv\u00e4nd f\u00f6ljande tj\u00e4nster:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Aktivera nedladdning av inneh\u00e5ll f\u00f6r dessa kanaler:", - "NotificationOptionApplicationUpdateAvailable": "Ny programversion tillg\u00e4nglig", + "LabelDvdSeasonNumber": "S\u00e4songsnummer p\u00e5 DVD:", + "LabelDvdEpisodeNumber": "Avsnittsnummer p\u00e5 DVD:", + "LabelAbsoluteEpisodeNumber": "Avsnittsnummer fr\u00e5n start:", + "LabelAirsBeforeSeason": "S\u00e4nds f\u00f6re s\u00e4song:", + "LabelAirsAfterSeason": "S\u00e4nds efter s\u00e4song:", "LabelAirsBeforeEpisode": "S\u00e4nds f\u00f6re avsnitt:", "LabelTreatImageAs": "Behandla bild som:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Visningsordning:", "LabelDisplaySpecialsWithinSeasons": "Visa specialer i de s\u00e4songer de s\u00e4ndes i", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "L\u00e4nder", "HeaderGenres": "Genrer", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Nyckelord i handlingen", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studior", "HeaderTags": "Etiketter", "HeaderMetadataSettings": "Metadatainst\u00e4llningar", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "L\u00e5s det h\u00e4r objektet f\u00f6r att f\u00f6rhindra \u00e4ndringar", - "LabelExternalPlayers": "Externa uppspelare:", "MessageLeaveEmptyToInherit": "L\u00e4mna tomt f\u00f6r att \u00e4rva inst\u00e4llningarna fr\u00e5n \u00f6verordnat objekt, eller anv\u00e4nda globalt f\u00f6rval.", - "LabelExternalPlayersHelp": "Visa knappar f\u00f6r att spela upp inneh\u00e5ll i externa uppspelare. Detta ar enbart tillg\u00e4ngligt p\u00e5 enheter som st\u00f6djer url-scheman, i allm\u00e4nhet Android och iOS. Externa uppspelare har normalt ej st\u00f6d f\u00f6r fj\u00e4rrkontroll eller \u00e5terupptagande.", - "ButtonUnlockGuide": "Unlock Guide", + "TabDonate": "L\u00e4mna bidrag", "HeaderDonationType": "Donationstyp:", "OptionMakeOneTimeDonation": "Ge ett extra bidrag", + "OptionOneTimeDescription": "Detta \u00e4r ett extra bidrag f\u00f6r att visa ditt st\u00f6d f\u00f6r teamet. Det ger inga ytterligare f\u00f6rm\u00e5ner och ingen supporterkod.", + "OptionLifeTimeSupporterMembership": "Livstids supportermedlemskap", + "OptionYearlySupporterMembership": "\u00c5rligt supportermedlemskap", + "OptionMonthlySupporterMembership": "M\u00e5natligt supportermedlemskap", "OptionNoTrailer": "Trailer saknas", "OptionNoThemeSong": "Ledmotiv saknas", "OptionNoThemeVideo": "Temavideo saknas", "LabelOneTimeDonationAmount": "Bidragsbelopp:", - "ButtonLearnMore": "L\u00e4s mer", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Visningsnamn:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Ange ett anpassat enhetsnamn. L\u00e4mna blankt f\u00f6r att anv\u00e4nda det namn enheten sj\u00e4lv rapporterar.", - "HeaderInviteUser": "Bjud in anv\u00e4ndare", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Skicka inbjudan", - "HeaderGuests": "G\u00e4ster", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Lokala anv\u00e4ndare", - "HeaderPendingInvitations": "V\u00e4ntande inbjudningar", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Enheter", - "TabCameraUpload": "Kamerauppladdning", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "Du har inga enheter som st\u00f6djer kamerauppladdning.", - "OptionEveryday": "Varje dag", - "LabelCameraUploadPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r kamerauppladdning:", - "OptionWeekdays": "Veckodagar", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Helger", - "LabelCreateCameraUploadSubfolder": "Skapa en undermapp f\u00f6r varje enhet", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "S\u00e4rskilda mappar f\u00f6r varje enhet kan anges p\u00e5 sidan \"Enheter\" genom att klicka p\u00e5 resp. enhet.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer rulle", - "HeaderTrailerReel": "Trailer rulle", - "OptionPlayUnwatchedTrailersOnly": "Spela endast osedda trailers", - "HeaderTrailerReelHelp": "Starta en trailer rulle f\u00f6r att spela en l\u00e5ng spellista med trailers.", - "TabDevices": "Enheter", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Hantering av datum f\u00f6r nytt inneh\u00e5ll:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Anv\u00e4nd datum f\u00f6r inl\u00e4sning i biblioteket", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Anv\u00e4nd datum d\u00e5 filen skapades", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "Om ett metadatav\u00e4rde finns kommer det att anv\u00e4ndas i st\u00e4llet f\u00f6r dessa.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Antal trailers att spela upp:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Undertextprofil", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Undertextprofiler", - "OptionDisableUserPreferences": "Inaktivera tillg\u00e5ng till anv\u00e4ndarinst\u00e4llningar", - "HeaderSubtitleProfilesHelp": "Undertextprofiler beskriver de undertextformat som st\u00f6ds av enheten.", - "OptionDisableUserPreferencesHelp": "Om aktiverad, kommer endast administrat\u00f6rer att kunna konfigurera anv\u00e4ndarprofilbilder, l\u00f6senord och spr\u00e5kinst\u00e4llningar.", - "LabelFormat": "Format:", - "HeaderSelectServer": "V\u00e4lj Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Metod:", - "MessageNoServersAvailableToConnect": "Inga servrar finns tillg\u00e4ngliga f\u00f6r att ansluta till. Om du har blivit inbjuden att dela en server, se till att acceptera den nedan eller genom att klicka p\u00e5 l\u00e4nken i e-postmeddelandet.", - "LabelDidlMode": "Didl-l\u00e4ge:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Infoga i container", - "OptionExternallyDownloaded": "Extern nerladdning", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Varje anv\u00e4ndare kan i sina egna inst\u00e4llningar v\u00e4lja om biol\u00e4get skall aktiveras.", - "OptionOneTimeDescription": "Detta \u00e4r ett extra bidrag f\u00f6r att visa ditt st\u00f6d f\u00f6r teamet. Det ger inga ytterligare f\u00f6rm\u00e5ner och ingen supporterkod.", - "OptionHlsSegmentedSubtitles": "HLS-segmenterade undertexter", - "LabelEnableCinemaMode": "Aktivera biol\u00e4ge", + "ButtonDonate": "Donera", + "ButtonPurchase": "Purchase", + "OptionActor": "Sk\u00e5despelare", + "OptionComposer": "Komposit\u00f6r", + "OptionDirector": "Regiss\u00f6r", + "OptionGuestStar": "G\u00e4startist", + "OptionProducer": "Producent", + "OptionWriter": "Manusf\u00f6rfattare", "LabelAirDays": "S\u00e4ndningsdagar:", - "HeaderCinemaMode": "Biol\u00e4ge", "LabelAirTime": "S\u00e4ndningstid:", "HeaderMediaInfo": "Mediainformation", "HeaderPhotoInfo": "Fotoinformation", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "L\u00e4mna bidrag", - "OptionLifeTimeSupporterMembership": "Livstids supportermedlemskap", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "\u00c5rligt supportermedlemskap", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "M\u00e5natligt supportermedlemskap", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "HeaderInstall": "Installera", "LabelSelectVersionToInstall": "V\u00e4lj version att installera:", "LinkSupporterMembership": "Visa information om supportermedlemskap", "MessageSupporterPluginRequiresMembership": "Denna plugin kr\u00e4ver ett akivt supportermedlemskap efter en gratis provperiod p\u00e5 14 dagar.", "MessagePremiumPluginRequiresMembership": "Denna plugin kr\u00e4ver ett akivt supportermedlemskap f\u00f6r k\u00f6p efter en gratis provperiod p\u00e5 14 dagar.", "HeaderReviews": "Recensioner", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Information f\u00f6r utvecklare", "HeaderRevisionHistory": "Revisionshistorik", "ButtonViewWebsite": "G\u00e5 till hemsidan", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Sk\u00e5despelare", - "ButtonDonate": "Donera", - "TitleNewUser": "Ny Anv\u00e4ndare", - "OptionComposer": "Komposit\u00f6r", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Regiss\u00f6r", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "G\u00e4startist", - "OptionProducer": "Producent", - "OptionWriter": "Manusf\u00f6rfattare", "HeaderXmlSettings": "XML-inst\u00e4llningar", "HeaderXmlDocumentAttributes": "XML-dokumentattribut", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "XML-dokumentattribut", "XmlDocumentAttributeListHelp": "Dessa attribut till\u00e4mpas p\u00e5 rotelementet i alla xml-svar.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Spara metadata och bilder som dolda filer", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "LabelExtractChaptersDuringLibraryScan": "Extrahera kapitelbildrutor vid genoms\u00f6kning av biblioteket", + "LabelExtractChaptersDuringLibraryScanHelp": "Om aktiverat extraheras kapitelbildrutor n\u00e4r videor importeras vid genoms\u00f6kning av biblioteket. Om avaktiverat kommer extrahering att ske vid schemalagd kapitelbildrutebehandling, f\u00f6r att snabba upp den regelbundna genoms\u00f6kningen av biblioteket.", + "LabelConnectGuestUserName": "Their Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", + "LabelExternalPlayers": "Externa uppspelare:", + "LabelExternalPlayersHelp": "Visa knappar f\u00f6r att spela upp inneh\u00e5ll i externa uppspelare. Detta ar enbart tillg\u00e4ngligt p\u00e5 enheter som st\u00f6djer url-scheman, i allm\u00e4nhet Android och iOS. Externa uppspelare har normalt ej st\u00f6d f\u00f6r fj\u00e4rrkontroll eller \u00e5terupptagande.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "HeaderSubtitleProfile": "Undertextprofil", + "HeaderSubtitleProfiles": "Undertextprofiler", + "HeaderSubtitleProfilesHelp": "Undertextprofiler beskriver de undertextformat som st\u00f6ds av enheten.", + "LabelFormat": "Format:", + "LabelMethod": "Metod:", + "LabelDidlMode": "Didl-l\u00e4ge:", + "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", + "OptionResElement": "res element", + "OptionEmbedSubtitles": "Infoga i container", + "OptionExternallyDownloaded": "Extern nerladdning", + "OptionHlsSegmentedSubtitles": "HLS-segmenterade undertexter", "LabelSubtitleFormatHelp": "Exempel:srt", + "ButtonLearnMore": "L\u00e4s mer", + "TabPlayback": "Uppspelning", "HeaderLanguagePreferences": "Spr\u00e5kinst\u00e4llningar", "TabCinemaMode": "Biol\u00e4ge", "TitlePlayback": "Uppspelning", "LabelEnableCinemaModeFor": "Aktivera biol\u00e4ge f\u00f6r:", "CinemaModeConfigurationHelp": "Biol\u00e4get g\u00f6r ditt vardagsrum till en biograf genom m\u00f6jligheten att visa trailers och egna vinjetter innan filmen b\u00f6rjar.", - "LabelExtractChaptersDuringLibraryScan": "Extrahera kapitelbildrutor vid genoms\u00f6kning av biblioteket", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Inkludera trailers f\u00f6r filmer fr\u00e5n mitt bibliotek", "OptionUpcomingMoviesInTheaters": "Inkludera trailers f\u00f6r nya och kommande filmer", - "LabelExtractChaptersDuringLibraryScanHelp": "Om aktiverat extraheras kapitelbildrutor n\u00e4r videor importeras vid genoms\u00f6kning av biblioteket. Om avaktiverat kommer extrahering att ske vid schemalagd kapitelbildrutebehandling, f\u00f6r att snabba upp den regelbundna genoms\u00f6kningen av biblioteket.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Dessa funktioner kr\u00e4ver ett akivt supportermedlemskap och installation av till\u00e4gget \"Trailer Channels\".", "LabelLimitIntrosToUnwatchedContent": "Anv\u00e4nd bara trailers f\u00f6r objekt som ej visats", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Trailers fr\u00e5n Internet", "LabelEnableIntroParentalControl": "Aktivera intelligent f\u00f6r\u00e4ldral\u00e5s", - "OptionUpcomingDvdMovies": "Inkludera trailers f\u00f6r nya och kommande filmer p\u00e5 DVD och Blu-ray", "LabelEnableIntroParentalControlHelp": "Enbart trailers med samma eller l\u00e4gre \u00e5ldersgr\u00e4ns som huvudmaterialet kommer att visas.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Inkludera trailers f\u00f6r nya och kommande filmer p\u00e5 Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Visa trailers tillsammans med f\u00f6reslagna filmer", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "Dessa funktioner kr\u00e4ver ett akivt supportermedlemskap och installation av till\u00e4gget \"Trailer Channels\".", "OptionTrailersFromMyMoviesHelp": "Kr\u00e4ver att lokala trailers konfigurerats.", - "ButtonSignUp": "Registrera dig", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Kr\u00e4ver installation av Trailer-kanalen.", "LabelCustomIntrosPath": "S\u00f6kv\u00e4g f\u00f6r egna vinjetter:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "En mapp inneh\u00e5llande videofiler. En video kommer att v\u00e4ljas slumpm\u00e4ssigt och spelas upp efter trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Uppspelning", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Synkjobb", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Gl\u00f6mt L\u00f6senord", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "ValueSpecialEpisodeName": "Special - {0}", + "LabelSelectInternetTrailersForCinemaMode": "Trailers fr\u00e5n Internet", + "OptionUpcomingDvdMovies": "Inkludera trailers f\u00f6r nya och kommande filmer p\u00e5 DVD och Blu-ray", + "OptionUpcomingStreamingMovies": "Inkludera trailers f\u00f6r nya och kommande filmer p\u00e5 Netflix", + "LabelDisplayTrailersWithinMovieSuggestions": "Visa trailers tillsammans med f\u00f6reslagna filmer", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Kr\u00e4ver installation av Trailer-kanalen.", + "CinemaModeConfigurationHelp2": "Varje anv\u00e4ndare kan i sina egna inst\u00e4llningar v\u00e4lja om biol\u00e4get skall aktiveras.", + "LabelEnableCinemaMode": "Aktivera biol\u00e4ge", + "HeaderCinemaMode": "Biol\u00e4ge", + "LabelDateAddedBehavior": "Hantering av datum f\u00f6r nytt inneh\u00e5ll:", + "OptionDateAddedImportTime": "Anv\u00e4nd datum f\u00f6r inl\u00e4sning i biblioteket", + "OptionDateAddedFileTime": "Anv\u00e4nd datum d\u00e5 filen skapades", + "LabelDateAddedBehaviorHelp": "Om ett metadatav\u00e4rde finns kommer det att anv\u00e4ndas i st\u00e4llet f\u00f6r dessa.", + "LabelNumberTrailerToPlay": "Antal trailers att spela upp:", + "TitleDevices": "Enheter", + "TabCameraUpload": "Kamerauppladdning", + "TabDevices": "Enheter", + "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", + "MessageNoDevicesSupportCameraUpload": "Du har inga enheter som st\u00f6djer kamerauppladdning.", + "LabelCameraUploadPath": "V\u00e4lj s\u00f6kv\u00e4g f\u00f6r kamerauppladdning:", + "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", + "LabelCreateCameraUploadSubfolder": "Skapa en undermapp f\u00f6r varje enhet", + "LabelCreateCameraUploadSubfolderHelp": "S\u00e4rskilda mappar f\u00f6r varje enhet kan anges p\u00e5 sidan \"Enheter\" genom att klicka p\u00e5 resp. enhet.", + "LabelCustomDeviceDisplayName": "Visningsnamn:", + "LabelCustomDeviceDisplayNameHelp": "Ange ett anpassat enhetsnamn. L\u00e4mna blankt f\u00f6r att anv\u00e4nda det namn enheten sj\u00e4lv rapporterar.", + "HeaderInviteUser": "Bjud in anv\u00e4ndare", "LabelConnectGuestUserNameHelp": "This is the username that your friend uses to sign in to the Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Skicka inbjudan", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "HeaderGuests": "G\u00e4ster", + "HeaderLocalUsers": "Lokala anv\u00e4ndare", + "HeaderPendingInvitations": "V\u00e4ntande inbjudningar", + "TabParentalControl": "F\u00f6r\u00e4ldral\u00e5s", + "HeaderAccessSchedule": "Schema f\u00f6r \u00e5tkomst", + "HeaderAccessScheduleHelp": "Skapa ett schema f\u00f6r att begr\u00e4nsa \u00e5tkomsten till vissa tider.", + "ButtonAddSchedule": "Skapa schema", + "LabelAccessDay": "Veckodag:", + "LabelAccessStart": "Starttid:", + "LabelAccessEnd": "Sluttid:", + "HeaderSchedule": "Schedule", + "OptionEveryday": "Varje dag", + "OptionWeekdays": "Veckodagar", + "OptionWeekends": "Helger", + "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", + "ButtonTrailerReel": "Trailer rulle", + "HeaderTrailerReel": "Trailer rulle", + "OptionPlayUnwatchedTrailersOnly": "Spela endast osedda trailers", + "HeaderTrailerReelHelp": "Starta en trailer rulle f\u00f6r att spela en l\u00e5ng spellista med trailers.", + "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", + "HeaderNewUsers": "New Users", + "ButtonSignUp": "Registrera dig", "ButtonForgotPassword": "Forgot password", + "OptionDisableUserPreferences": "Inaktivera tillg\u00e5ng till anv\u00e4ndarinst\u00e4llningar", + "OptionDisableUserPreferencesHelp": "Om aktiverad, kommer endast administrat\u00f6rer att kunna konfigurera anv\u00e4ndarprofilbilder, l\u00f6senord och spr\u00e5kinst\u00e4llningar.", + "HeaderSelectServer": "V\u00e4lj Server", + "MessageNoServersAvailableToConnect": "Inga servrar finns tillg\u00e4ngliga f\u00f6r att ansluta till. Om du har blivit inbjuden att dela en server, se till att acceptera den nedan eller genom att klicka p\u00e5 l\u00e4nken i e-postmeddelandet.", + "TitleNewUser": "Ny Anv\u00e4ndare", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Gl\u00f6mt L\u00f6senord", "TitleForgotPassword": "Gl\u00f6mt L\u00f6senord", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "F\u00f6r\u00e4ldral\u00e5s", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Schema f\u00f6r \u00e5tkomst", "HeaderPasswordReset": "\u00c5terst\u00e4llning av l\u00f6senordet", - "HeaderAccessScheduleHelp": "Skapa ett schema f\u00f6r att begr\u00e4nsa \u00e5tkomsten till vissa tider.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Skapa schema", "HeaderVideoTypes": "Videotyper", - "LabelAccessDay": "Veckodag:", "HeaderYears": "\u00c5r", - "LabelAccessStart": "Starttid:", - "LabelAccessEnd": "Sluttid:", - "LabelDvdSeasonNumber": "S\u00e4songsnummer p\u00e5 DVD:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Synkjobb", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Avsnittsnummer p\u00e5 DVD:", - "LabelAbsoluteEpisodeNumber": "Avsnittsnummer fr\u00e5n start:", - "LabelAirsBeforeSeason": "S\u00e4nds f\u00f6re s\u00e4song:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "S\u00e4nds efter s\u00e4song:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 07a97302af..89ecbf6ca5 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/tr.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/tr.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "Yeni Koleksiyon", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standart - MB2", - "OptionAutomatic": "Otomatik", - "ButtonCreate": "Create", - "ButtonSignIn": "Giri\u015f Yap\u0131n", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Giri\u015f Yap\u0131n", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "L\u00fctfen Giri\u015f Yap\u0131n", - "LabelUser": "Kullan\u0131c\u0131", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "\u015eifre", - "OptionDownloadThumbImage": "K\u00fc\u00e7\u00fck Resim", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manuel Giri\u015f", - "OptionDownloadMenuImage": "Men\u00fc", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Kutu", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Resim Sil", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disk", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Y\u00fckle", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Yeni Resim Y\u00fckle", - "OptionDownloadBackImage": "Geri", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Galeri", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Birincil", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Resim Ayarlar\u0131", - "TabSuggested": "\u00d6nerilen", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Son", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Gelecek", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "G\u00f6steriler", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "B\u00f6l\u00fcmler", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "T\u00fcrler", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "Oyuncular", - "ButtonAdd": "Ekle", - "TabNetworks": "A\u011flar", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "G\u00fcnl\u00fck", - "OptionWeekly": "Haftal\u0131k", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "G\u00fcn:", - "LabelTime": "Zaman:", - "OptionRelease": "Resmi Yay\u0131n", - "LabelEvent": "Event:", - "OptionBeta": "Deneme", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Gelistirici", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Galeri", - "HeaderLatestGames": "Ge\u00e7mi\u015f Oyunlar", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Cikis", + "LabelVisitCommunity": "Bizi Ziyaret Edin", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standart", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "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", - "LabelManagement": "Management:", - "HeaderMusicVideos": "M\u00fczik vidyolar\u0131", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "K\u00fct\u00fcphane", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "K\u00fct\u00fcphane G\u00f6r\u00fcnt\u00fcleyici", + "LabelRestartServer": "Server Yeniden Baslat", + "LabelShowLogWindow": "Log Ekran\u0131n\u0131 G\u00f6r\u00fcnt\u00fcle", + "LabelPrevious": "\u00d6nceki", + "LabelFinish": "Bitir", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Sonraki", + "LabelYoureDone": "Haz\u0131rs\u0131n!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "Bu sihirbaz kurulum i\u015flemi boyunca size yard\u0131mc\u0131 olacakt\u0131r. Ba\u015flamak i\u00e7in, tercih etti\u011finiz dili se\u00e7iniz.", + "TellUsAboutYourself": "Kendinizden Bahsedin", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "\u0130lk Ad", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Servis", + "AWindowsServiceHasBeenInstalled": "Windows Servisi Y\u00fcklenmistir.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "Windows hizmeti kullan\u0131yorsan\u0131z, o tepsi simgesi olarak ayn\u0131 anda cal\u0131st\u0131rabilirsiniz unutmay\u0131n, b\u00f6ylece hizmetini cal\u0131st\u0131rmak i\u00e7in tepsiyi \u00e7\u0131kmak gerekir l\u00fctfen. Hizmeti de kontrol paneli \u00fczerinden y\u00f6netim ayr\u0131cal\u0131klar\u0131yla yap\u0131land\u0131r\u0131lm\u0131\u015f olmas\u0131 gerekir. Su anda hizmet kendine g\u00fcncelleme m\u00fcmk\u00fcn oldugunu unutmay\u0131n, bu y\u00fczden yeni s\u00fcr\u00fcmleri manuel etkilesimi gerektirir.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Ayarlar\u0131 Degistir", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Kay\u0131p", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "\u00c7evrimd\u0131\u015f\u0131", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "Buradan", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "Buraya", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "Buradan", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "\u00d6rnek: D:\\Movies (sunucu \u00fczerinde)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "Buraya", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Tamam", + "ButtonCancel": "\u0130ptal", + "ButtonExit": "Exit", + "ButtonNew": "Yeni", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "\u00d6zel", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Seri Ad\u0131", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Reyting", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Kodlay\u0131c\u0131 Kalite Ayarlar\u0131", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "D\u00fc\u015f\u00fck Kalite,H\u0131zl\u0131 Kodlama", - "OptionHighQualityTranscodingHelp": "Y\u00fcksek Kalite,Yava\u015f Kodlama", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "En iyi Kalite,Yava\u015f Kodlama,Y\u00fcksek CPU Kullan\u0131m\u0131", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Y\u00fcksek H\u0131z", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Y\u00fcksek Kalite", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max Kalite", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Medya k\u00fct\u00fcphaneni kur", + "ButtonAddMediaFolder": "Yeni Media Klas\u00f6r\u00fc", + "LabelFolderType": "Klas\u00f6r T\u00fcr\u00fc:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "\u00dclke", + "LabelLanguage": "Dil", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Tercih edilen Meta Dili:", + "LabelSaveLocalMetadata": "Medya meta dosyalar\u0131n\u0131 ayn\u0131 klas\u00f6rlere i\u015fle", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "\u0130nternetten \u0130\u00e7erik Y\u00fckleyin", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Tercihler", + "TabPassword": "\u015eifre", + "TabLibraryAccess": "K\u00fct\u00fcphane Eri\u015fim", + "TabAccess": "Access", + "TabImage": "Resim", + "TabProfile": "Profil", + "TabMetadata": "Metadata", + "TabImages": "Resimler", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Sezondaki kay\u0131p b\u00f6l\u00fcmleri g\u00f6ster", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Oynatma Ayarlar\u0131", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Ses Dili Tercihi:", + "LabelSubtitleLanguagePreference": "Altyaz\u0131 Dili Tercihi:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "Kullan\u0131c\u0131lar", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filtrelemeler", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filtre", + "OptionNoSubtitles": "Altyaz\u0131 Yok", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Favoriler", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Be\u011feniler", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Be\u011fenmeyenler", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "Profiller", + "TabSecurity": "G\u00fcvenlik", + "ButtonAddUser": "Kullan\u0131c\u0131 Ekle", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "Kay\u0131t", + "ButtonResetPassword": "\u015eifre S\u0131f\u0131rla", + "LabelNewPassword": "Yeni \u015eifre", + "LabelNewPasswordConfirm": "Yeni \u015eifreyi Onayla", + "HeaderCreatePassword": "\u015eifre Olu\u015ftur", + "LabelCurrentPassword": "Kullan\u0131mdaki \u015eifreniz", + "LabelMaxParentalRating": "Maksimum izin verilen ebeveyn de\u011ferlendirmesi:", + "MaxParentalRatingHelp": "Daha y\u00fcksek bir derece ile \u0130\u00e7erik Bu kullan\u0131c\u0131dan gizli olacak.", + "LibraryAccessHelp": "Bu kullan\u0131c\u0131 ile payla\u015fmak i\u00e7in medya klas\u00f6rleri se\u00e7in. Y\u00f6neticiler meta y\u00f6neticisini kullanarak t\u00fcm klas\u00f6rleri d\u00fczenlemesi m\u00fcmk\u00fcn olacakt\u0131r.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Resim Sil", + "LabelSelectUsers": "Select users:", + "ButtonUpload": "Y\u00fckle", + "HeaderUploadNewImage": "Yeni Resim Y\u00fckle", + "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": "\u00d6nerilen", + "TabSuggestions": "Suggestions", + "TabLatest": "Son", + "TabUpcoming": "Gelecek", + "TabShows": "G\u00f6steriler", + "TabEpisodes": "B\u00f6l\u00fcmler", + "TabGenres": "T\u00fcrler", + "TabPeople": "Oyuncular", + "TabNetworks": "A\u011flar", + "HeaderUsers": "Kullan\u0131c\u0131lar", + "HeaderFilters": "Filtrelemeler", + "ButtonFilter": "Filtre", + "OptionFavorite": "Favoriler", + "OptionLikes": "Be\u011feniler", + "OptionDislikes": "Be\u011fenmeyenler", "OptionActors": "Akt\u00f6rler", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Konuk oylar\u0131", - "HeaderCredits": "Credits", "OptionDirectors": "Y\u00f6netmenler", - "TabCollections": "Collections", "OptionWriters": "Yazarlar", - "TabFavorites": "Favoriler", "OptionProducers": "\u00dcreticiler", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Devam", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Sonraki hafta", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "Latest Episodes", @@ -219,42 +200,32 @@ "TabMusicVideos": "Klipler", "ButtonSort": "S\u0131rala", "HeaderSortBy": "\u015euna g\u00f6re s\u0131rala", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sipari\u015fe g\u00f6re s\u0131rala", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "\u00c7al\u0131n\u0131yor", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u00c7al\u0131nm\u0131yor", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Y\u00fckselen", "OptionDescending": "D\u00fc\u015fen", "OptionRuntime": "\u00c7al\u0131\u015fma s\u00fcresi", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Oynatma sayac\u0131", "OptionDatePlayed": "Oynatma Tarihi", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Eklenme Tarihi", - "HeaderTV": "TV", "OptionAlbumArtist": "Sanat\u00e7\u0131 Alb\u00fcm\u00fc", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Sanat\u00e7\u0131", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Alb\u00fcm", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Par\u00e7a \u0130smi", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "\u0130sim", + "OptionFolderSort": "Klas\u00f6r", "OptionBudget": "Budget", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Revenue", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Kritik Rating", "OptionVideoBitrate": "Video Kalitesi", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Zamanlanm\u0131\u015f G\u00f6revler", "TabMyPlugins": "Eklentilerim", "TabCatalog": "Katalog", - "ThisWizardWillGuideYou": "Bu sihirbaz kurulum i\u015flemi boyunca size yard\u0131mc\u0131 olacakt\u0131r. Ba\u015flamak i\u00e7in, tercih etti\u011finiz dili se\u00e7iniz.", - "TellUsAboutYourself": "Kendinizden Bahsedin", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "Otomatik G\u00fcncelleme", - "LabelYourFirstName": "\u0130lk Ad", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "\u015eimdi \u00c7al\u0131n\u0131yor", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "Son Alb\u00fcmler", - "LabelWindowsService": "Windows Servis", "HeaderLatestSongs": "Son Par\u00e7alar", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Windows Servisi Y\u00fcklenmistir.", "HeaderRecentlyPlayed": "Son oynat\u0131lan", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "Windows hizmeti kullan\u0131yorsan\u0131z, o tepsi simgesi olarak ayn\u0131 anda cal\u0131st\u0131rabilirsiniz unutmay\u0131n, b\u00f6ylece hizmetini cal\u0131st\u0131rmak i\u00e7in tepsiyi \u00e7\u0131kmak gerekir l\u00fctfen. Hizmeti de kontrol paneli \u00fczerinden y\u00f6netim ayr\u0131cal\u0131klar\u0131yla yap\u0131land\u0131r\u0131lm\u0131\u015f olmas\u0131 gerekir. Su anda hizmet kendine g\u00fcncelleme m\u00fcmk\u00fcn oldugunu unutmay\u0131n, bu y\u00fczden yeni s\u00fcr\u00fcmleri manuel etkilesimi gerektirir.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Ayarlar\u0131 Degistir", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Tamam", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u0130ptal", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Medya k\u00fct\u00fcphaneni kur", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Yeni Media Klas\u00f6r\u00fc", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Klas\u00f6r T\u00fcr\u00fc:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u00dclke", - "LabelLanguage": "Dil", - "HeaderPreferredMetadataLanguage": "Tercih edilen Meta Dili:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Medya meta dosyalar\u0131n\u0131 ayn\u0131 klas\u00f6rlere i\u015fle", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "\u0130nternetten \u0130\u00e7erik Y\u00fckleyin", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Cikis", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Bizi Ziyaret Edin", "LabelVideoType": "Video Tipi", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standart", "OptionIso": "\u0130so", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "K\u00fct\u00fcphane", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Servis:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Altyaz\u0131", - "LabelOpenLibraryViewer": "K\u00fct\u00fcphane G\u00f6r\u00fcnt\u00fcleyici", "OptionHasTrailer": "Tan\u0131t\u0131m Video", - "LabelRestartServer": "Server Yeniden Baslat", "OptionHasThemeSong": "Tema \u015eark\u0131s\u0131", - "LabelShowLogWindow": "Log Ekran\u0131n\u0131 G\u00f6r\u00fcnt\u00fcle", "OptionHasThemeVideo": "Tema Videosu", - "LabelPrevious": "\u00d6nceki", "TabMovies": "Filmler", - "LabelFinish": "Bitir", "TabStudios": "St\u00fcdyo", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Sonraki", "TabTrailers": "Fragmanlar", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "Haz\u0131rs\u0131n!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Son filmler", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Son fragmanlar", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "\u0130MDb Reyting", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "Basit", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Geli\u015fmi\u015f", - "FolderTypeTvShows": "TV", "HeaderStatus": "Durum", "OptionContinuing": "Topluluk", "OptionEnded": "Bitmi\u015f", - "HeaderSync": "Sync", - "TabPreferences": "Tercihler", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "\u015eifre", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Pazar", - "LabelArtists": "Artists:", - "TabLibraryAccess": "K\u00fct\u00fcphane Eri\u015fim", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Pazartesi", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Resim", - "TabActivityLog": "Activity Log", "OptionTuesday": "Sal\u0131", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "Profil", - "HeaderName": "Name", "OptionWednesday": "\u00c7ar\u015famba", - "LabelDisplayMissingEpisodesWithinSeasons": "Sezondaki kay\u0131p b\u00f6l\u00fcmleri g\u00f6ster", - "HeaderDate": "Date", "OptionThursday": "Per\u015fembe", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Cuma", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Oynatma Ayarlar\u0131", - "HeaderDestination": "Destination", "OptionSaturday": "Cumartesi", - "LabelAudioLanguagePreference": "Ses Dili Tercihi:", - "HeaderProgram": "Program", "HeaderManagement": "Y\u00f6netim", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Altyaz\u0131 Dili Tercihi:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "Profiller", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "Genel", + "TitleSupport": "Destek", + "LabelSeasonNumber": "Season number", + "TabLog": "Kay\u0131t", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "Hakk\u0131nda", + "TabSupporterKey": "Destek\u00e7i kodu", + "TabBecomeSupporter": "Destek\u00e7i ol", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "Kullan\u0131c\u0131 Devre D\u0131\u015f\u0131 B\u0131rak", + "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", + "HeaderAdvancedControl": "Geli\u015fmi\u015f Kontrol", + "LabelName": "\u0130sim", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "G\u00fcvenlik", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Se\u00e7im", - "ButtonAddUser": "Kullan\u0131c\u0131 Ekle", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "Genel", "ButtonGroupVersions": "Grup Versionlar\u0131", - "TabGuide": "K\u0131lavuz", - "ButtonSave": "Kay\u0131t", - "TitleSupport": "Destek", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Kanallar", - "ButtonResetPassword": "\u015eifre S\u0131f\u0131rla", - "LabelSeasonNumber": "Season number:", - "TabLog": "Kay\u0131t", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Kanallar", - "LabelNewPassword": "Yeni \u015eifre", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "Hakk\u0131nda", "VersionNumber": "Versiyon {0}", - "TabRecordings": "Kay\u0131tlar", - "LabelNewPasswordConfirm": "Yeni \u015eifreyi Onayla", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Destek\u00e7i kodu", "TabPaths": "Paths", - "TabScheduled": "G\u00f6revler", - "HeaderCreatePassword": "\u015eifre Olu\u015ftur", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Destek\u00e7i ol", "TabServer": "Sunucu", - "TabSeries": "Seriler", - "LabelCurrentPassword": "Kullan\u0131mdaki \u015eifreniz", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Kodlay\u0131c\u0131", - "ButtonCancelRecording": "Kay\u0131t \u0130ptal", - "LabelMaxParentalRating": "Maksimum izin verilen ebeveyn de\u011ferlendirmesi:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Geli\u015fmi\u015f", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Daha y\u00fcksek bir derece ile \u0130\u00e7erik Bu kullan\u0131c\u0131dan gizli olacak.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Otomatik G\u00fcncelleme seviyesi", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Bu kullan\u0131c\u0131 ile payla\u015fmak i\u00e7in medya klas\u00f6rleri se\u00e7in. Y\u00f6neticiler meta y\u00f6neticisini kullanarak t\u00fcm klas\u00f6rleri d\u00fczenlemesi m\u00fcmk\u00fcn olacakt\u0131r.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Resmi Yay\u0131n", + "OptionBeta": "Deneme", + "OptionDev": "Gelistirici", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "Altyaz\u0131 Yok", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Ba\u015flang\u0131\u00e7ta Server\u0131 \u00c7al\u0131\u015ft\u0131r", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "Yeni", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Kullan\u0131c\u0131 Devre D\u0131\u015f\u0131 B\u0131rak", "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.", - "HeaderUpcomingTV": "Yak\u0131nda TV'de", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Durum", - "TabImages": "Resimler", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Geli\u015fmi\u015f Kontrol", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Ayarlar", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "\u0130sim", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "K\u0131lavuzu Yinele", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "\u00d6ncelik", - "ButtonRemove": "Sil", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Sadece yeni b\u00f6l\u00fcmleri kaydet", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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": "Oyunlar", + "TabMusic": "Muzik", + "TabOthers": "Di\u011ferleri", + "HeaderExtractChapterImagesFor": "Extract chapter images for:", + "OptionMovies": "Filmler", + "OptionEpisodes": "Episodes", + "OptionOtherVideos": "Di\u011fer Videolar", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", + "OptionImageSavingStandard": "Standart - MB2", + "ButtonSignIn": "Giri\u015f Yap\u0131n", + "TitleSignIn": "Giri\u015f Yap\u0131n", + "HeaderPleaseSignIn": "L\u00fctfen Giri\u015f Yap\u0131n", + "LabelUser": "Kullan\u0131c\u0131", + "LabelPassword": "\u015eifre", + "ButtonManualLogin": "Manuel Giri\u015f", + "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", + "TabGuide": "K\u0131lavuz", + "TabChannels": "Kanallar", + "TabCollections": "Collections", + "HeaderChannels": "Kanallar", + "TabRecordings": "Kay\u0131tlar", + "TabScheduled": "G\u00f6revler", + "TabSeries": "Seriler", + "TabFavorites": "Favoriler", + "TabMyLibrary": "My Library", + "ButtonCancelRecording": "Kay\u0131t \u0130ptal", + "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": "Yak\u0131nda TV'de", + "TabStatus": "Durum", + "TabSettings": "Ayarlar", + "ButtonRefreshGuideData": "K\u0131lavuzu Yinele", + "ButtonRefresh": "Refresh", + "ButtonAdvancedRefresh": "Advanced Refresh", + "OptionPriority": "\u00d6ncelik", + "OptionRecordOnAllChannels": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Sadece yeni b\u00f6l\u00fcmleri kaydet", + "HeaderRepeatingOptions": "Repeating Options", "HeaderDays": "G\u00fcnler", + "HeaderActiveRecordings": "Aktif Kay\u0131tlar", + "HeaderLatestRecordings": "Ge\u00e7mi\u015f Kay\u0131tlar", + "HeaderAllRecordings": "T\u00fcm Kay\u0131tlar", + "ButtonPlay": "\u00c7al", + "ButtonEdit": "D\u00fczenle", + "ButtonRecord": "Kay\u0131t", + "ButtonDelete": "Sil", + "ButtonRemove": "Sil", + "OptionRecordSeries": "Kay\u0131t Serisi", + "HeaderDetails": "Detaylar", + "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.", + "OptionAutomatic": "Otomatik", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Aktif Kay\u0131tlar", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Ge\u00e7mi\u015f Kay\u0131tlar", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "T\u00fcm Kay\u0131tlar", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Servis:", - "ButtonPlay": "\u00c7al", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Oyunlar", - "LabelStatus": "Status:", - "ButtonEdit": "D\u00fczenle", "HeaderCustomDlnaProfiles": "\u00d6zel Profiller", - "TabMusic": "Muzik", - "LabelVersion": "Version:", - "ButtonRecord": "Kay\u0131t", "HeaderSystemDlnaProfiles": "Sistem Profilleri", - "TabOthers": "Di\u011ferleri", - "LabelLastResult": "Last result:", - "ButtonDelete": "Sil", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Kay\u0131t Serisi", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Filmler", - "HeaderDetails": "Detaylar", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Anasayfa", - "OptionOtherVideos": "Di\u011fer Videolar", "TabInfo": "Bilgi", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api D\u00f6k\u00fcmanlar\u0131", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Klas\u00f6r", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Canl\u0131 TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "Yeni Koleksiyon", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Uygulamalar", + "CategoryPlugin": "Eklenti", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Profil G\u00f6r\u00fcnt\u00fcleme", "LabelType": "T\u00fcr", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video Codec", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Ses Codec", "LabelProfileCodecs": "Codecler", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Kodlama Profili", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profili", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Vidyo", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Ses", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Sesi", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Ses A\u00e7", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Ses Azalt", - "ButtonMute": "Sessiz", "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.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Sa\u011f", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Geri", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Bilgi", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Sayfa Ba\u015f\u0131", "TabIdentification": "Identification", - "ButtonPageDown": "Sayfa Sonu", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Anasayfa", "TabCodecs": "Codecler", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Ayarlar", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Ekran G\u00f6r\u00fcnt\u00fcs\u00fc Al", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "\u015eimdi \u00c7al\u0131n\u0131yor", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigasyon", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "ikon Max Y\u00fckseklik:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "DLNA Sunucusu etkin", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "\u0130kon Max Geni\u015flik:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Uygulamalar", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Eklenti", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Eklenti Ba\u015far\u0131s\u0131z", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "\u00dcretici", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Sonraki hafta", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Seri Numaras\u0131", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Altyaz\u0131lar", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Anasayfa Secenek 1:", + "LabelHomePageSection2": "Anasayfa Secenek 2:", + "LabelHomePageSection3": "Anasayfa Secenek 3:", + "LabelHomePageSection4": "Anasayfa Secenek 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (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", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Sonraki hafta", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Anasayfa Secenek 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Kontrol", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Anasayfa", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Sunucu", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Altyaz\u0131lar", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Anasayfa Secenek 1:", - "ButtonRegister": "Kay\u0131t", - "LabelHomePageSection2": "Anasayfa Secenek 2:", - "LabelHomePageSection3": "Anasayfa Secenek 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media Klas\u00f6rleri", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Sahneler", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Altyaz\u0131lar", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Koleksiyon", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Durdur", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Duraklat", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Sunucu", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Mesaj G\u00f6nder", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "G\u00f6nder", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Mesaj Metni:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Sunucu ayarlar\u0131", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Arama", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Sunucu yeniden ba\u015flat\u0131lmal\u0131", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/MediaBrowser.Server.Implementations/Localization/Server/uk.json b/MediaBrowser.Server.Implementations/Localization/Server/uk.json index c2f5d73589..5308d88c54 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/uk.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/uk.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "Auto", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "Delete Image", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "Disc", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "Upload", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "Upload New Image", - "OptionDownloadBackImage": "Back", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Nothing here.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "Latest", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "Upcoming", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u0416\u0430\u043d\u0440\u0438", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u041b\u044e\u0434\u0438", - "ButtonAdd": "Add", - "TabNetworks": "\u041c\u0435\u0440\u0435\u0436\u0456", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Day:", - "LabelTime": "Time:", - "OptionRelease": "Official Release", - "LabelEvent": "Event:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0456\u0433\u0440\u0438", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "\u0412\u0438\u0439\u0442\u0438", + "LabelVisitCommunity": "Visit Community", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Standard", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Browse Library", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0438 \u0441\u0435\u0440\u0432\u0435\u0440", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "\u041d\u0430\u0437\u0430\u0434", + "LabelFinish": "Finish", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u0412\u043f\u0435\u0440\u0435\u0434", + "LabelYoureDone": "You're Done!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "Tell us about yourself", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "\u0406\u043c\u2019\u044f", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows Service", + "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "Configure settings", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "From", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "To", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "From:", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "Example: D:\\Movies (on the server)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "To:", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438", + "ButtonExit": "Exit", + "ButtonNew": "\u041d\u043e\u0432\u0438\u0439", + "HeaderTV": "\u0422\u0411", + "HeaderAudio": "\u0410\u0443\u0434\u0456\u043e", + "HeaderVideo": "\u0412\u0456\u0434\u0435\u043e", "HeaderPaths": "Paths", - "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)", - "ButtonAddPathSubstitution": "Add Substitution", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "\u0421\u0432\u0456\u0442\u043b\u0438\u043d\u0438", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "\u0406\u0433\u0440\u0438", + "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", + "FolderTypeTvShows": "\u0422\u0411", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Higher quality", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Max quality", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "Setup your media library", + "ButtonAddMediaFolder": "Add media folder", + "LabelFolderType": "Folder type:", + "ReferToMediaLibraryWiki": "Refer to the media library wiki.", + "LabelCountry": "\u041a\u0440\u0430\u0457\u043d\u0430:", + "LabelLanguage": "\u041c\u043e\u0432\u0430:", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Preferred metadata language:", + "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", + "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", + "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "Preferences", + "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", + "TabLibraryAccess": "Library Access", + "TabAccess": "Access", + "TabImage": "Image", + "TabProfile": "\u041f\u0440\u043e\u0444\u0456\u043b\u044c", + "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u0456", + "TabImages": "\u0417\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", + "TabNotifications": "\u041f\u043e\u0432\u0456\u0434\u043e\u043c\u043b\u0435\u043d\u043d\u044f", + "TabCollectionTitles": "Titles", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "Video Playback Settings", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Audio language preference:", + "LabelSubtitleLanguagePreference": "Subtitle language preference:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "\u0424\u0456\u043b\u044c\u0442\u0440\u0438:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u0424\u0456\u043b\u044c\u0442\u0440", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0435", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u041f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "\u041d\u0435 \u043f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u041f\u0440\u043e\u0444\u0456\u043b\u0456", + "TabSecurity": "\u0411\u0435\u0437\u043f\u0435\u043a\u0430", + "ButtonAddUser": "\u0414\u043e\u0434\u0430\u0442\u0438 \u043a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0430", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "\u0417\u0431\u0435\u0440\u0456\u0433\u0442\u0438", + "ButtonResetPassword": "\u0421\u043a\u0438\u043d\u0443\u0442\u0438 \u043f\u0430\u0440\u043e\u043b\u044c", + "LabelNewPassword": "\u041d\u043e\u0432\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c:", + "LabelNewPasswordConfirm": "New password confirm:", + "HeaderCreatePassword": "\u0421\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u043f\u0430\u0440\u043e\u043b\u044c", + "LabelCurrentPassword": "\u041f\u043e\u0442\u043e\u0447\u043d\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "Delete Image", + "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", + "TabSuggestions": "Suggestions", + "TabLatest": "Latest", + "TabUpcoming": "Upcoming", + "TabShows": "Shows", + "TabEpisodes": "\u0415\u043f\u0456\u0437\u043e\u0434\u0438", + "TabGenres": "\u0416\u0430\u043d\u0440\u0438", + "TabPeople": "\u041b\u044e\u0434\u0438", + "TabNetworks": "\u041c\u0435\u0440\u0435\u0436\u0456", + "HeaderUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", + "HeaderFilters": "\u0424\u0456\u043b\u044c\u0442\u0440\u0438:", + "ButtonFilter": "\u0424\u0456\u043b\u044c\u0442\u0440", + "OptionFavorite": "\u0423\u043b\u044e\u0431\u043b\u0435\u043d\u0435", + "OptionLikes": "\u041f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", + "OptionDislikes": "\u041d\u0435 \u043f\u043e\u0434\u043e\u0431\u0430\u0454\u0442\u044c\u0441\u044f", "OptionActors": "\u0410\u043a\u0442\u043e\u0440\u0438", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "Directors", - "TabCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", "OptionWriters": "Writers", - "TabFavorites": "Favorites", "OptionProducers": "Producers", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0435\u043f\u0456\u0437\u043e\u0434\u0438", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "Sort", "HeaderSortBy": "Sort By:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Sort Order:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Runtime", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "Play Count", "OptionDatePlayed": "Date Played", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Date Added", - "HeaderTV": "\u0422\u0411", "OptionAlbumArtist": "Album Artist", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "\u0410\u043a\u0442\u043e\u0440", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "\u0410\u043b\u044c\u0431\u043e\u043c", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "Track Name", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "Community Rating", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "\u0406\u043c\u2019\u044f", + "OptionFolderSort": "\u0422\u0435\u043a\u0438", "OptionBudget": "\u0411\u044e\u0434\u0436\u0435\u0442", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "\u0417\u0431\u043e\u0440\u0438", "OptionPoster": "Poster", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "Timeline", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Banner", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "Video Bitrate", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "My Plugins", "TabCatalog": "Catalog", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "Tell us about yourself", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u043d\u0435 \u043e\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044f", - "LabelYourFirstName": "\u0406\u043c\u2019\u044f", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Now Playing", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0430\u043b\u044c\u0431\u043e\u043c\u0438", - "LabelWindowsService": "Windows Service", "HeaderLatestSongs": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043f\u0456\u0441\u043d\u0456", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "A Windows Service has been installed.", "HeaderRecentlyPlayed": "Recently Played", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Frequently Played", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "Configure settings", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "For videos that don't already have images, and that we're unable to find internet images for. This will add some additional time to the initial library scan but will result in a more pleasing presentation.", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Enable automatic port mapping", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "Setup your media library", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Add media folder", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Folder type:", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Refer to the media library wiki.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u041a\u0440\u0430\u0457\u043d\u0430:", - "LabelLanguage": "\u041c\u043e\u0432\u0430:", - "HeaderPreferredMetadataLanguage": "Preferred metadata language:", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "Save artwork and metadata into media folders", - "LabelSaveLocalMetadataHelp": "Saving artwork and metadata directly into media folders will put them in a place where they can be easily edited.", - "LabelDownloadInternetMetadata": "Download artwork and metadata from the internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "\u0412\u0438\u0439\u0442\u0438", - "OptionBanner": "Banner", - "LabelVisitCommunity": "Visit Community", "LabelVideoType": "\u0422\u0438\u043f \u0432\u0456\u0434\u0435\u043e:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "Dvd", - "LabelStandard": "Standard", "OptionIso": "Iso", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Browse Library", "LabelFeatures": "Features:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "\u0412\u0435\u0440\u0441\u0456\u044f:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u0438", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0438 \u0441\u0435\u0440\u0432\u0435\u0440", "OptionHasThemeSong": "Theme Song", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "Theme Video", - "LabelPrevious": "\u041d\u0430\u0437\u0430\u0434", "TabMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "LabelFinish": "Finish", "TabStudios": "\u0421\u0442\u0443\u0434\u0456\u0457", - "FolderTypeMixed": "Mixed content", - "LabelNext": "\u0412\u043f\u0435\u0440\u0435\u0434", "TabTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", - "FolderTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "LabelYoureDone": "You're Done!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0444\u0456\u043b\u044c\u043c\u0438", - "FolderTypeMusic": "\u041c\u0443\u0437\u0438\u043a\u0430", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0442\u0440\u0435\u0439\u043b\u0435\u0440\u0438", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "\u0421\u0432\u0456\u0442\u043b\u0438\u043d\u0438", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDb Rating", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "\u0406\u0433\u0440\u0438", - "ButtonRefresh": "Refresh", "TabBasic": "Basic", - "FolderTypeBooks": "\u041a\u043d\u0438\u0433\u0438", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "\u0422\u0411", "HeaderStatus": "Status", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "Preferences", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "\u041f\u0430\u0440\u043e\u043b\u044c", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Sunday", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Library Access", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Monday", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "Image", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "\u041f\u0440\u043e\u0444\u0456\u043b\u044c", - "HeaderName": "Name", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Date", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Source", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "Video Playback Settings", - "HeaderDestination": "Destination", "OptionSaturday": "Saturday", - "LabelAudioLanguagePreference": "Audio language preference:", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Missing Tmdb Id", - "LabelSubtitleLanguagePreference": "Subtitle language preference:", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "Missing IMDb Id", - "OptionIsHD": "HD", - "HeaderAudio": "\u0410\u0443\u0434\u0456\u043e", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "SD", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "\u041f\u0440\u043e\u0444\u0456\u043b\u0456", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "Support", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "Hide this user from login screens", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "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:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Allow this user to manage the server", + "HeaderFeatureAccess": "Feature Access", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Missing Tmdb Id", + "OptionIsHD": "HD", + "OptionIsSD": "SD", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "\u0411\u0435\u0437\u043f\u0435\u043a\u0430", - "HeaderVideo": "\u0412\u0456\u0434\u0435\u043e", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "Select", - "ButtonAddUser": "\u0414\u043e\u0434\u0430\u0442\u0438 \u043a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0430", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "\u0417\u0431\u0435\u0440\u0456\u0433\u0442\u0438", - "TitleSupport": "Support", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "\u0421\u043a\u0438\u043d\u0443\u0442\u0438 \u043f\u0430\u0440\u043e\u043b\u044c", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "\u041d\u043e\u0432\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "New password confirm:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "Paths", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "\u0421\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u043f\u0430\u0440\u043e\u043b\u044c", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "Server", - "TabSeries": "Series", - "LabelCurrentPassword": "\u041f\u043e\u0442\u043e\u0447\u043d\u0438\u0439 \u043f\u0430\u0440\u043e\u043b\u044c:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "Transcoding", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "Advanced", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "Content with a higher rating will be hidden from this user.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "Automatic update level", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Official Release", + "OptionBeta": "Beta", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "Hide this user from login screens", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "\u041d\u043e\u0432\u0438\u0439", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "Disable this user", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u0456", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "Select Directory", - "TabStatus": "Status", - "TabImages": "\u0417\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Titles", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "Name:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Allow this user to manage the server", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "Remove", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Feature Access", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Add Titles", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Enable DLNA Play To", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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": "\u0424\u0456\u043b\u044c\u043c\u0438", + "OptionEpisodes": "Episodes", + "OptionOtherVideos": "Other Videos", + "TitleMetadata": "Metadata", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", + "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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "Auto", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0456\u0433\u0440\u0438", + "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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "\u0406\u043c\u2019\u044f \u043a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0430 \u0430\u0431\u043e email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "Custom Profiles", - "TabMusic": "Music", - "LabelVersion": "\u0412\u0435\u0440\u0441\u0456\u044f:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "System Profiles", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "Links", "HeaderSystemPaths": "System Paths", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "\u0422\u0435\u043a\u0438", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043d\u043e\u0432\u0438\u043d\u0438", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", + "OptionSpecialFeatures": "Special Features", + "HeaderCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0437\u0430\u043f\u0438\u0441\u0438", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0456\u0433\u0440\u0438", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "\u041d\u0430\u043b\u0430\u0448\u0442\u0443\u0432\u0430\u043d\u043d\u044f", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "\u0417\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0435\u043d\u043d\u044f \u0437\u043c\u0456\u0441\u0442\u0443...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "ViewTypeBoxSets": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", + "ViewTypeChannels": "Channels", + "ViewTypeLiveTV": "Live TV", + "ViewTypeLiveTvNowPlaying": "Now Airing", + "ViewTypeLatestGames": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0456\u0433\u0440\u0438", + "ViewTypeRecentlyPlayedGames": "Recently Played", + "ViewTypeGameFavorites": "Favorites", + "ViewTypeGameSystems": "Game Systems", + "ViewTypeGameGenres": "Genres", + "ViewTypeTvResume": "Resume", + "ViewTypeTvNextUp": "Next Up", "ViewTypeTvLatest": "Latest", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "ViewTypeMovieCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456", + "ViewTypeMusicPlaylists": "Playlists", + "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": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u0437\u0430\u043f\u0438\u0441\u0438", + "LabelProtocolInfo": "Protocol info:", + "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "\u041e\u0441\u0442\u0430\u043d\u043d\u044f \u043c\u0443\u0437\u0438\u043a\u0430", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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": "\u0428\u043b\u044f\u0445:", + "LabelView": "View:", + "TabUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0456", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "\u0417\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0435\u043d\u043d\u044f \u0437\u043c\u0456\u0441\u0442\u0443...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", - "DeviceOnlineWithName": "{0} is connected", "OptionStub": "Stub", + "HeaderEpisodes": "Episodes:", + "OptionSeason0": "Season 0", + "LabelReport": "Report:", + "OptionReportSongs": "Songs", + "OptionReportSeries": "Series", + "OptionReportSeasons": "Seasons", + "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", + "OptionReportMusicVideos": "Music videos", + "OptionReportMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", + "OptionReportHomeVideos": "Home videos", + "OptionReportGames": "Games", + "OptionReportEpisodes": "Episodes", + "OptionReportCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", + "OptionReportBooks": "Books", + "OptionReportArtists": "Artists", + "OptionReportAlbums": "Albums", + "OptionReportAdultVideos": "Adult videos", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440\u0438", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "\u0424\u0456\u043b\u044c\u043c\u0438", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "\u041a\u043e\u043b\u0435\u043a\u0446\u0456\u0457", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "\u0428\u043b\u044f\u0445:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043c\u0435\u0434\u0456\u0430", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "Search", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456 \u043d\u043e\u0432\u0438\u043d\u0438", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "\u0421\u0442\u0443\u0434\u0456\u0457", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderLatestItems": "\u041e\u0441\u0442\u0430\u043d\u043d\u0456", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 75322ba52c..5f38e8fc80 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/vi.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/vi.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "Image saving convention:", - "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.", - "HeaderNewCollection": "New Collection", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "T\u1ef1 \u0111\u1ed9ng", - "ButtonCreate": "Create", - "ButtonSignIn": "Sign In", - "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.", - "TitleSignIn": "Sign In", - "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.", - "LabelWebSocketPortNumber": "Web socket port number:", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "Please sign in", - "LabelUser": "User:", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "Password:", - "OptionDownloadThumbImage": "Thumb", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "Menu", - "TabResume": "Resume", - "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.", - "OptionDownloadLogoImage": "Logo", - "TabWeather": "Weather", - "OptionDownloadBoxImage": "Box", - "TitleAppSettings": "App Settings", - "ButtonDeleteImage": "X\u00f3a h\u00ecnh \u1ea3nh", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "\u0110\u0129a", - "LabelMinResumePercentage": "Min resume percentage:", - "ButtonUpload": "T\u1ea3i l\u00ean", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "Max resume percentage:", - "HeaderUploadNewImage": "T\u1ea3i l\u00ean m\u1ed9t \u1ea3nh m\u1edbi", - "OptionDownloadBackImage": "Tr\u1edf l\u1ea1i", - "LabelMinResumeDuration": "Min resume duration (seconds):", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "Art", - "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time", - "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", - "OptionDownloadPrimaryImage": "Primary", - "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time", - "MessageNothingHere": "Kh\u00f4ng c\u00f3 g\u00ec \u1edf \u0111\u00e2y.", - "HeaderFetchImages": "Fetch Images:", - "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", - "HeaderImageSettings": "Image Settings", - "TabSuggested": "Suggested", - "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:", - "TabLatest": "M\u1edbi nh\u1ea5t", - "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:", - "TabUpcoming": "S\u1eafp di\u1ec5n ra", - "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:", - "TabShows": "Shows", - "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:", - "TabEpisodes": "C\u00e1c t\u1eadp phim", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "C\u00e1c th\u1ec3 lo\u1ea1i", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "M\u1ecdi ng\u01b0\u1eddi", - "ButtonAdd": "Th\u00eam", - "TabNetworks": "C\u00e1c m\u1ea1ng", - "LabelTriggerType": "Trigger Type:", - "OptionDaily": "Daily", - "OptionWeekly": "Weekly", - "OptionOnInterval": "On an interval", - "OptionOnAppStartup": "On application startup", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "After a system event", - "LabelDay": "Ng\u00e0y:", - "LabelTime": "Th\u1eddi gian:", - "OptionRelease": "Ph\u00e1t h\u00e0nh ch\u00ednh th\u1ee9c", - "LabelEvent": "S\u1ef1 ki\u1ec7n:", - "OptionBeta": "Beta", - "OptionWakeFromSleep": "Wake from sleep", - "ButtonInviteUser": "Invite User", - "OptionDev": "Kh\u00f4ng \u1ed5n \u0111\u1ecbnh", - "LabelEveryXMinutes": "Every:", - "HeaderTvTuners": "Tuners", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "Latest Games", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "Tho\u00e1t", + "LabelVisitCommunity": "Gh\u00e9 th\u0103m trang C\u1ed9ng \u0111\u1ed3ng", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "Ti\u00eau chu\u1ea9n", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "Option3Player": "3+", - "Option4Player": "4+", - "HeaderMediaFolders": "Media Folders", - "HeaderThemeVideos": "Theme Videos", - "HeaderThemeSongs": "Theme Songs", - "HeaderScenes": "Scenes", - "HeaderAwardsAndReviews": "Awards and Reviews", - "HeaderSoundtracks": "Soundtracks", - "LabelManagement": "Management:", - "HeaderMusicVideos": "Music Videos", - "HeaderSpecialFeatures": "Special Features", + "LabelBrowseLibrary": "Duy\u1ec7t th\u01b0 vi\u1ec7n", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "Open Library Viewer", + "LabelRestartServer": "Kh\u1edfi \u0111\u1ed9ng l\u1ea1i m\u00e1y ch\u1ee7", + "LabelShowLogWindow": "Show Log Window", + "LabelPrevious": "Tr\u01b0\u1edbc", + "LabelFinish": "K\u1ebft th\u00fac", + "FolderTypeMixed": "Mixed content", + "LabelNext": "Ti\u1ebfp theo", + "LabelYoureDone": "B\u1ea1n \u0111\u00e3 ho\u00e0n th\u00e0nh!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "Th\u1ee7 thu\u1eadt n\u00e0y s\u1ebd h\u01b0\u1edbng d\u1eabn qu\u00e1 tr\u00ecnh c\u00e0i \u0111\u1eb7t cho b\u1ea1n. \u0110\u1ec3 b\u1eaft \u0111\u1ea7u, vui l\u00f2ng l\u1ef1a ch\u1ecdn ng\u00f4n ng\u1eef b\u1ea1n \u01b0a th\u00edch.", + "TellUsAboutYourself": "N\u00f3i cho ch\u00fang t\u00f4i bi\u1ebft \u0111\u00f4i \u0111i\u1ec1u v\u1ec1 B\u1ea1n", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "T\u00ean c\u1ee7a B\u1ea1n", + "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "D\u1ecbch v\u1ee5 c\u1ee7a Windows", + "AWindowsServiceHasBeenInstalled": "M\u1ed9t d\u1ecbch v\u1ee5 c\u1ee7a Windows \u0111\u00e3 \u0111\u01b0\u1ee3c c\u00e0i \u0111\u1eb7t", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "C\u00e0i \u0111\u1eb7t c\u1ea5u h\u00ecnh", + "LabelEnableVideoImageExtraction": "Enable video image extraction", + "VideoImageExtractionHelp": "\u0110\u1ed1i v\u1edbi c\u00e1c video kh\u00f4ng c\u00f3 s\u1eb5n h\u00ecnh \u1ea3nh v\u00e0 ch\u00fang ta kh\u00f4ng t\u00ecm th\u1ea5y c\u00e1c h\u00ecnh \u1ea3nh \u0111\u00f3 tr\u00ean internet. \u0110i\u1ec1u n\u00e0y s\u1ebd", + "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "Cho ph\u00e9p t\u1ef1 \u0111\u1ed9ng \u00e1nh x\u1ea1 c\u1ed5ng (port)", + "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "Cast & Crew", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "Additional Parts", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "Missing", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "Offline", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "T\u1eeb", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "\u0110\u1ebfn", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "T\u1eeb", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "V\u00ed d\u1ee5: D:\\Movies (tr\u00ean m\u00e1y ch\u1ee7)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "T\u1edbi", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "Ok", + "ButtonCancel": "Tho\u00e1t", + "ButtonExit": "Exit", + "ButtonNew": "M\u1edbi", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "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", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "Specials", - "OptionMissingEpisode": "Missing Episodes", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "Unaired Episodes", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "Episode Sort Name", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "Series Name", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb Rating", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:", - "OptionAutomaticTranscodingHelp": "The server will decide quality and speed", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding", - "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "Higher speed", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng cao", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng t\u1ed1i \u0111a", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging", + "HeaderSetupLibrary": "C\u00e0i \u0111\u1eb7t th\u01b0 vi\u1ec7n media c\u1ee7a b\u1ea1n", + "ButtonAddMediaFolder": "Th\u00eam m\u1ed9t th\u01b0 m\u1ee5c media", + "LabelFolderType": "Lo\u1ea1i th\u01b0 m\u1ee5c", + "ReferToMediaLibraryWiki": "Tham kh\u1ea3o th\u01b0 vi\u1ec7n wiki media.", + "LabelCountry": "Qu\u1ed1c gia:", + "LabelLanguage": "Ng\u00f4n ng\u1eef", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "Ng\u00f4n ng\u1eef metadata \u01b0a th\u00edch", + "LabelSaveLocalMetadata": "L\u01b0u c\u00e1c \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata v\u00e0o trong c\u00e1c th\u01b0 m\u1ee5c media", + "LabelSaveLocalMetadataHelp": "L\u01b0u c\u00e1c \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata v\u00e0o trong c\u00e1c th\u01b0 m\u1ee5c media, s\u1ebd \u0111\u01b0a ch\u00fang v\u00e0o m\u1ed9t n\u01a1i b\u1ea1n c\u00f3 th\u1ec3 ch\u1ec9nh s\u1eeda d\u1ec5 d\u00e0ng h\u01a1n.", + "LabelDownloadInternetMetadata": "T\u1ea3i \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata t\u1eeb internet", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u01afa th\u00edch", + "TabPassword": "M\u1eadt kh\u1ea9u", + "TabLibraryAccess": "Truy c\u1eadp th\u01b0 vi\u1ec7n", + "TabAccess": "Access", + "TabImage": "H\u00ecnh \u1ea3nh", + "TabProfile": "H\u1ed3 s\u01a1", + "TabMetadata": "Metadata", + "TabImages": "H\u00ecnh \u1ea3nh", + "TabNotifications": "Notifications", + "TabCollectionTitles": "Ti\u00eau \u0111\u1ec1", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", + "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", + "HeaderVideoPlaybackSettings": "C\u00e1c c\u00e0i \u0111\u1eb7t ph\u00e1t Video", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "Ng\u00f4n ng\u1eef tho\u1ea1i \u01b0a th\u00edch:", + "LabelSubtitleLanguagePreference": "Ng\u00f4n ng\u1eef ph\u1ee5 \u0111\u1ec1 \u01b0a th\u00edch:", "OptionDefaultSubtitles": "Default", - "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "d\u00f9ng", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "Filters:", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "Filter", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "Y\u00eau th\u00edch", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "Th\u00edch", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "Kh\u00f4ng th\u00edch", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "H\u1ed3 s\u01a1", + "TabSecurity": "B\u1ea3o m\u1eadt", + "ButtonAddUser": "Th\u00eam ng\u01b0\u1eddi d\u00f9ng", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "L\u01b0u", + "ButtonResetPassword": "Reset m\u1eadt kh\u1ea9u", + "LabelNewPassword": "M\u1eadt kh\u1ea9u m\u1edbi:", + "LabelNewPasswordConfirm": "X\u00e1c nh\u1eadn m\u1eadt kh\u1ea9u m\u1edbi:", + "HeaderCreatePassword": "T\u1ea1o m\u1eadt kh\u1ea9u", + "LabelCurrentPassword": "M\u1eadt kh\u1ea9u hi\u1ec7n t\u1ea1i:", + "LabelMaxParentalRating": "Maximum allowed parental rating:", + "MaxParentalRatingHelp": "N\u1ed9i dung v\u1edbi \u0111\u00e1nh gi\u00e1 cao h\u01a1n s\u1ebd \u0111\u01b0\u1ee3c \u1ea9n \u0111i t\u1eeb ng\u01b0\u1eddi d\u00f9ng n\u00e0y.", + "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "X\u00f3a h\u00ecnh \u1ea3nh", + "LabelSelectUsers": "Select users:", + "ButtonUpload": "T\u1ea3i l\u00ean", + "HeaderUploadNewImage": "T\u1ea3i l\u00ean m\u1ed9t \u1ea3nh m\u1edbi", + "LabelDropImageHere": "Drop image here", + "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.", + "MessageNothingHere": "Kh\u00f4ng c\u00f3 g\u00ec \u1edf \u0111\u00e2y.", + "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.", + "TabSuggested": "Suggested", + "TabSuggestions": "Suggestions", + "TabLatest": "M\u1edbi nh\u1ea5t", + "TabUpcoming": "S\u1eafp di\u1ec5n ra", + "TabShows": "Shows", + "TabEpisodes": "C\u00e1c t\u1eadp phim", + "TabGenres": "C\u00e1c th\u1ec3 lo\u1ea1i", + "TabPeople": "M\u1ecdi ng\u01b0\u1eddi", + "TabNetworks": "C\u00e1c m\u1ea1ng", + "HeaderUsers": "d\u00f9ng", + "HeaderFilters": "Filters:", + "ButtonFilter": "Filter", + "OptionFavorite": "Y\u00eau th\u00edch", + "OptionLikes": "Th\u00edch", + "OptionDislikes": "Kh\u00f4ng th\u00edch", "OptionActors": "Di\u1ec5n vi\u00ean", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "Guest Stars", - "HeaderCredits": "Credits", "OptionDirectors": "\u0110\u1ea1o di\u1ec5n", - "TabCollections": "Collections", "OptionWriters": "K\u1ecbch b\u1ea3n", - "TabFavorites": "Favorites", "OptionProducers": "Nh\u00e0 s\u1ea3n xu\u1ea5t", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "S\u01a1 y\u1ebfu l\u00fd l\u1ecbch", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "Next Up", "NoNextUpItemsMessage": "None found. Start watching your shows!", "HeaderLatestEpisodes": "C\u00e1c t\u1eadp phim m\u1edbi nh\u1ea5t", @@ -219,42 +200,32 @@ "TabMusicVideos": "C\u00e1c video \u00e2m nh\u1ea1c", "ButtonSort": "Ph\u00e2n lo\u1ea1i", "HeaderSortBy": "Ph\u00e2n lo\u1ea1i theo:", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "Ph\u00e2n lo\u1ea1i theo th\u1ee9 t\u1ef1:", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "Played", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "Unplayed", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "Ascending", "OptionDescending": "Descending", "OptionRuntime": "Th\u1eddi gian ph\u00e1t", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "S\u1ed1 l\u1ea7n ph\u00e1t", "OptionDatePlayed": "Ng\u00e0y ph\u00e1t", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "Ng\u00e0y th\u00eam", - "HeaderTV": "TV", "OptionAlbumArtist": "Album ngh\u1ec7 s\u1ef9", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "Ngh\u1ec7 s\u1ef9", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "Album", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "T\u00ean b\u00e0i", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "\u0110\u00e1nh gi\u00e1 c\u1ee7a c\u1ed9ng \u0111\u1ed3ng", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "T\u00ean", + "OptionFolderSort": "Folders", "OptionBudget": "Ng\u00e2n s\u00e1ch", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "Doanh thu", "OptionPoster": "\u00c1p ph\u00edch", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "Backdrop", "OptionTimeline": "D\u00f2ng th\u1eddi gian", + "OptionThumb": "Thumb", + "OptionThumbCard": "Thumb card", + "OptionBanner": "Bi\u1ec3n qu\u1ea3ng c\u00e1o", "OptionCriticRating": "Critic Rating", "OptionVideoBitrate": "T\u1ed1c \u0111\u1ed9 Bit c\u1ee7a Video", "OptionResumable": "Resumable", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "C\u00e1c plugin c\u1ee7a t\u00f4i", "TabCatalog": "Danh m\u1ee5c", - "ThisWizardWillGuideYou": "Th\u1ee7 thu\u1eadt n\u00e0y s\u1ebd h\u01b0\u1edbng d\u1eabn qu\u00e1 tr\u00ecnh c\u00e0i \u0111\u1eb7t cho b\u1ea1n. \u0110\u1ec3 b\u1eaft \u0111\u1ea7u, vui l\u00f2ng l\u1ef1a ch\u1ecdn ng\u00f4n ng\u1eef b\u1ea1n \u01b0a th\u00edch.", - "TellUsAboutYourself": "N\u00f3i cho ch\u00fang t\u00f4i bi\u1ebft \u0111\u00f4i \u0111i\u1ec1u v\u1ec1 B\u1ea1n", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "T\u1ef1 \u0111\u1ed9ng c\u1eadp nh\u1eadt", - "LabelYourFirstName": "T\u00ean c\u1ee7a B\u1ea1n", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "More users can be added later within the Dashboard.", "HeaderNowPlaying": "Ph\u00e1t ngay b\u00e2y gi\u1edd", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "C\u00e1c Album m\u1edbi nh\u1ea5t", - "LabelWindowsService": "D\u1ecbch v\u1ee5 c\u1ee7a Windows", "HeaderLatestSongs": "C\u00e1c b\u00e0i h\u00e1t m\u1edbi nh\u1ea5t", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "M\u1ed9t d\u1ecbch v\u1ee5 c\u1ee7a Windows \u0111\u00e3 \u0111\u01b0\u1ee3c c\u00e0i \u0111\u1eb7t", "HeaderRecentlyPlayed": "Ph\u00e1t g\u1ea7n \u0111\u00e2y", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "Ph\u00e1t th\u01b0\u1eddng xuy\u00ean", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "If using the windows service, please note that it cannot be run at the same time as the tray icon, so you'll need to exit the tray in order to run the service. The service will also need to be configured with administrative privileges via the control panel. Please note that at this time the service is unable to self-update, so new versions will require manual interaction.", "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.", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "C\u00e0i \u0111\u1eb7t c\u1ea5u h\u00ecnh", - "LabelEnableVideoImageExtraction": "Enable video image extraction", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "\u0110\u1ed1i v\u1edbi c\u00e1c video kh\u00f4ng c\u00f3 s\u1eb5n h\u00ecnh \u1ea3nh v\u00e0 ch\u00fang ta kh\u00f4ng t\u00ecm th\u1ea5y c\u00e1c h\u00ecnh \u1ea3nh \u0111\u00f3 tr\u00ean internet. \u0110i\u1ec1u n\u00e0y s\u1ebd", - "LabelEnableChapterImageExtractionForMovies": "Extract chapter image extraction for Movies", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "Cho ph\u00e9p t\u1ef1 \u0111\u1ed9ng \u00e1nh x\u1ea1 c\u1ed5ng (port)", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP allows automated router configuration for easy remote access. This may not work with some router models.", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "Ok", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "Tho\u00e1t", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "C\u00e0i \u0111\u1eb7t th\u01b0 vi\u1ec7n media c\u1ee7a b\u1ea1n", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "Th\u00eam m\u1ed9t th\u01b0 m\u1ee5c media", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "Lo\u1ea1i th\u01b0 m\u1ee5c", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "Tham kh\u1ea3o th\u01b0 vi\u1ec7n wiki media.", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "Qu\u1ed1c gia:", - "LabelLanguage": "Ng\u00f4n ng\u1eef", - "HeaderPreferredMetadataLanguage": "Ng\u00f4n ng\u1eef metadata \u01b0a th\u00edch", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "L\u01b0u c\u00e1c \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata v\u00e0o trong c\u00e1c th\u01b0 m\u1ee5c media", - "LabelSaveLocalMetadataHelp": "L\u01b0u c\u00e1c \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata v\u00e0o trong c\u00e1c th\u01b0 m\u1ee5c media, s\u1ebd \u0111\u01b0a ch\u00fang v\u00e0o m\u1ed9t n\u01a1i b\u1ea1n c\u00f3 th\u1ec3 ch\u1ec9nh s\u1eeda d\u1ec5 d\u00e0ng h\u01a1n.", - "LabelDownloadInternetMetadata": "T\u1ea3i \u1ea3nh ngh\u1ec7 thu\u1eadt v\u00e0 metadata t\u1eeb internet", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "Thumb", - "LabelExit": "Tho\u00e1t", - "OptionBanner": "Bi\u1ec3n qu\u1ea3ng c\u00e1o", - "LabelVisitCommunity": "Gh\u00e9 th\u0103m trang C\u1ed9ng \u0111\u1ed3ng", "LabelVideoType": "Lo\u1ea1i Video:", "OptionBluray": "Bluray", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "Ti\u00eau chu\u1ea9n", "OptionIso": "Chu\u1ea9n qu\u1ed1c t\u1ebf", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "Duy\u1ec7t th\u01b0 vi\u1ec7n", "LabelFeatures": "C\u00e1c t\u00ednh n\u0103ng:", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "Ph\u1ee5 \u0111\u1ec1", - "LabelOpenLibraryViewer": "Open Library Viewer", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "Kh\u1edfi \u0111\u1ed9ng l\u1ea1i m\u00e1y ch\u1ee7", "OptionHasThemeSong": "H\u00ecnh n\u1ec1n b\u00e0i h\u00e1t", - "LabelShowLogWindow": "Show Log Window", "OptionHasThemeVideo": "H\u00ecnh n\u1ec1n Video", - "LabelPrevious": "Tr\u01b0\u1edbc", "TabMovies": "C\u00e1c phim", - "LabelFinish": "K\u1ebft th\u00fac", "TabStudios": "H\u00e3ng phim", - "FolderTypeMixed": "Mixed content", - "LabelNext": "Ti\u1ebfp theo", "TabTrailers": "Trailers", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "B\u1ea1n \u0111\u00e3 ho\u00e0n th\u00e0nh!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "Phim m\u1edbi nh\u1ea5t", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "Latest Trailers", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "T\u00ednh n\u0103ng \u0111\u1eb7c bi\u1ec7t", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "\u0110\u00e1nh gi\u00e1 IMDb", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "Parental Rating", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "Premiere Date", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "C\u01a1 b\u1ea3n", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "Advanced", - "FolderTypeTvShows": "TV", "HeaderStatus": "Tr\u1ea1ng th\u00e1i", "OptionContinuing": "Continuing", "OptionEnded": "Ended", - "HeaderSync": "Sync", - "TabPreferences": "\u01afa th\u00edch", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "M\u1eadt kh\u1ea9u", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "Ch\u1ee7 Nh\u1eadt", - "LabelArtists": "Artists:", - "TabLibraryAccess": "Truy c\u1eadp th\u01b0 vi\u1ec7n", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "Th\u1ee9 Hai", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "H\u00ecnh \u1ea3nh", - "TabActivityLog": "Activity Log", "OptionTuesday": "Tuesday", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "H\u1ed3 s\u01a1", - "HeaderName": "T\u00ean", "OptionWednesday": "Wednesday", - "LabelDisplayMissingEpisodesWithinSeasons": "Display missing episodes within seasons", - "HeaderDate": "Ng\u00e0y", "OptionThursday": "Thursday", - "LabelUnairedMissingEpisodesWithinSeasons": "Display unaired episodes within seasons", - "HeaderSource": "Ngu\u1ed3n", "OptionFriday": "Friday", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "C\u00e1c c\u00e0i \u0111\u1eb7t ph\u00e1t Video", - "HeaderDestination": "\u0110\u00edch", "OptionSaturday": "Th\u1ee9 B\u1ea3y", - "LabelAudioLanguagePreference": "Ng\u00f4n ng\u1eef tho\u1ea1i \u01b0a th\u00edch:", - "HeaderProgram": "Ch\u01b0\u01a1ng tr\u00ecnh", "HeaderManagement": "Management", - "OptionMissingTmdbId": "Thi\u1ebfu Tmdb ID", - "LabelSubtitleLanguagePreference": "Ng\u00f4n ng\u1eef ph\u1ee5 \u0111\u1ec1 \u01b0a th\u00edch:", - "HeaderClients": "C\u00e1c m\u00e1y kh\u00e1ch", + "LabelManagement": "Management:", "OptionMissingImdbId": "Thi\u1ebfu IMDb ID", - "OptionIsHD": "\u0110\u1ed9 n\u00e9t cao", - "HeaderAudio": "Audio", - "LabelCompleted": "Ho\u00e0n th\u00e0nh", "OptionMissingTvdbId": "Missing TheTVDB Id", - "OptionIsSD": "\u0110\u1ed9 n\u00e9t ti\u00eau chu\u1ea9n", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "H\u1ed3 s\u01a1", "OptionMissingOverview": "Missing Overview", + "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", + "TabGeneral": "General", + "TitleSupport": "H\u1ed7 tr\u1ee3", + "LabelSeasonNumber": "Season number", + "TabLog": "Log", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "About", + "TabSupporterKey": "Supporter Key", + "TabBecomeSupporter": "Become a Supporter", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "Search the Knowledge Base", + "VisitTheCommunity": "Visit the Community", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "\u1ea8n ng\u01b0\u1eddi d\u00f9ng n\u00e0y t\u1eeb m\u00e0n h\u00ecnh \u0111\u0103ng nh\u1eadp", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "V\u00f4 hi\u1ec7u h\u00f3a ng\u01b0\u1eddi d\u00f9ng n\u00e0y", + "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", + "HeaderAdvancedControl": "Advanced Control", + "LabelName": "T\u00ean:", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "Cho ph\u00e9p ng\u01b0\u1eddi d\u00f9ng n\u00e0y qu\u1ea3n l\u00fd m\u00e1y ch\u1ee7", + "HeaderFeatureAccess": "Truy c\u1eadp t\u00ednh n\u0103ng", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "Thi\u1ebfu Tmdb ID", + "OptionIsHD": "\u0110\u1ed9 n\u00e9t cao", + "OptionIsSD": "\u0110\u1ed9 n\u00e9t ti\u00eau chu\u1ea9n", "OptionMetascore": "Metascore", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "B\u1ea3o m\u1eadt", - "HeaderVideo": "Video", - "LabelSkipped": "B\u1ecf qua", - "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched", "ButtonSelect": "L\u1ef1a ch\u1ecdn", - "ButtonAddUser": "Th\u00eam ng\u01b0\u1eddi d\u00f9ng", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "General", "ButtonGroupVersions": "Group Versions", - "TabGuide": "Guide", - "ButtonSave": "L\u01b0u", - "TitleSupport": "H\u1ed7 tr\u1ee3", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "Utilizing Pismo File Mount through a donated license.", - "TabChannels": "Channels", - "ButtonResetPassword": "Reset m\u1eadt kh\u1ea9u", - "LabelSeasonNumber": "Season number:", - "TabLog": "Log", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "Please support other free products we utilize:", - "HeaderChannels": "Channels", - "LabelNewPassword": "M\u1eadt kh\u1ea9u m\u1edbi:", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "About", "VersionNumber": "Version {0}", - "TabRecordings": "Recordings", - "LabelNewPasswordConfirm": "X\u00e1c nh\u1eadn m\u1eadt kh\u1ea9u m\u1edbi:", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "Supporter Key", "TabPaths": "C\u00e1c \u0111\u01b0\u1eddng d\u1eabn", - "TabScheduled": "Scheduled", - "HeaderCreatePassword": "T\u1ea1o m\u1eadt kh\u1ea9u", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "Become a Supporter", "TabServer": "M\u00e1y ch\u1ee7", - "TabSeries": "Series", - "LabelCurrentPassword": "M\u1eadt kh\u1ea9u hi\u1ec7n t\u1ea1i:", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "M\u00e3 h\u00f3a", - "ButtonCancelRecording": "Cancel Recording", - "LabelMaxParentalRating": "Maximum allowed parental rating:", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "N\u00e2ng cao", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "N\u1ed9i dung v\u1edbi \u0111\u00e1nh gi\u00e1 cao h\u01a1n s\u1ebd \u0111\u01b0\u1ee3c \u1ea9n \u0111i t\u1eeb ng\u01b0\u1eddi d\u00f9ng n\u00e0y.", - "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.", - "SearchKnowledgeBase": "Search the Knowledge Base", "LabelAutomaticUpdateLevel": "T\u1ef1 \u0111\u1ed9ng c\u1eadp nh\u1eadt c\u1ea5p \u0111\u1ed9", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "Select the media folders to share with this user. Administrators will be able to edit all folders using the metadata manager.", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "Visit the Community", + "OptionRelease": "Ph\u00e1t h\u00e0nh ch\u00ednh th\u1ee9c", + "OptionBeta": "Beta", + "OptionDev": "Kh\u00f4ng \u1ed5n \u0111\u1ecbnh", "LabelAllowServerAutoRestart": "Cho ph\u00e9p m\u00e1y ch\u1ee7 t\u1ef1 \u0111\u1ed9ng kh\u1edfi \u0111\u1ed9ng l\u1ea1i \u0111\u1ec3 \u00e1p d\u1ee5ng c\u00e1c b\u1ea3n c\u1eadp nh\u1eadt", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "Enable debug logging", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "\u1ea8n ng\u01b0\u1eddi d\u00f9ng n\u00e0y t\u1eeb m\u00e0n h\u00ecnh \u0111\u0103ng nh\u1eadp", "LabelRunServerAtStartup": "Run server at startup", - "HeaderWhatsOnTV": "What's On", - "ButtonNew": "M\u1edbi", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "V\u00f4 hi\u1ec7u h\u00f3a ng\u01b0\u1eddi d\u00f9ng n\u00e0y", "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.", - "HeaderUpcomingTV": "Upcoming TV", - "TabMetadata": "Metadata", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.", "ButtonSelectDirectory": "L\u1ef1a ch\u1ecdn tr\u1ef1c ti\u1ebfp", - "TabStatus": "Status", - "TabImages": "H\u00ecnh \u1ea3nh", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "Advanced Control", "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.", - "TabSettings": "Settings", - "TabCollectionTitles": "Ti\u00eau \u0111\u1ec1", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "T\u00ean:", "LabelCachePath": "Cache path:", - "ButtonRefreshGuideData": "Refresh Guide Data", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "Cho ph\u00e9p ng\u01b0\u1eddi d\u00f9ng n\u00e0y qu\u1ea3n l\u00fd m\u00e1y ch\u1ee7", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "Priority", - "ButtonRemove": "G\u1ee1 b\u1ecf", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "Truy c\u1eadp t\u00ednh n\u0103ng", "LabelImagesByNamePath": "Images by name path:", - "OptionRecordOnAllChannels": "Record on all channels", - "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", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "Th\u00eam c\u00e1c ti\u00eau \u0111\u1ec1", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "Metadata path:", - "OptionRecordOnlyNewEpisodes": "Record only new episodes", - "LabelEnableDlnaPlayTo": "Cho ph\u00e9p DLNA ch\u1ea1y \u0111\u1ec3", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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.", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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 on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "Record only new episodes", + "HeaderRepeatingOptions": "Repeating Options", "HeaderDays": "Days", + "HeaderActiveRecordings": "Active Recordings", + "HeaderLatestRecordings": "Latest Recordings", + "HeaderAllRecordings": "All Recordings", + "ButtonPlay": "Play", + "ButtonEdit": "Edit", + "ButtonRecord": "Record", + "ButtonDelete": "Delete", + "ButtonRemove": "G\u1ee1 b\u1ecf", + "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.", + "OptionAutomatic": "T\u1ef1 \u0111\u1ed9ng", + "HeaderServices": "Services", + "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 Trigger", + "HeaderAddScheduledTaskTrigger": "Add 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.", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "Transcoding temporary path:", - "HeaderActiveRecordings": "Active Recordings", "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "Latest Recordings", "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.", - "TabBasics": "Basics", - "HeaderAllRecordings": "All Recordings", "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "TV", - "LabelService": "Service:", - "ButtonPlay": "Play", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "Games", - "LabelStatus": "Status:", - "ButtonEdit": "Edit", "HeaderCustomDlnaProfiles": "H\u1ed3 s\u01a1 kh\u00e1ch h\u00e0ng", - "TabMusic": "Music", - "LabelVersion": "Version:", - "ButtonRecord": "Record", "HeaderSystemDlnaProfiles": "H\u1ed3 s\u01a1 h\u1ec7 th\u1ed1ng", - "TabOthers": "Others", - "LabelLastResult": "Last result:", - "ButtonDelete": "Delete", "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.", - "HeaderExtractChapterImagesFor": "Extract chapter images for:", - "OptionRecordSeries": "Record Series", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "Details", "TitleDashboard": "Dashboard", - "OptionEpisodes": "Episodes", "TabHome": "Home", - "OptionOtherVideos": "Other Videos", "TabInfo": "Info", - "TitleMetadata": "Metadata", "HeaderLinks": "C\u00e1c li\u00ean k\u1ebft", "HeaderSystemPaths": "C\u00e1c \u0111\u01b0\u1eddng d\u1eabn h\u1ec7 th\u1ed1ng", - "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org", "LinkCommunity": "Community", - "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com", "LinkGithub": "Github", - "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.", + "LinkApi": "Api", "LinkApiDocumentation": "Api Documentation", - "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.", "LabelFriendlyServerName": "Friendly server name:", - "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.", - "OptionFolderSort": "Folders", "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "Backdrop", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "Live TV", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "Auto-scroll", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "Read about how you can contribute.", + "HeaderNewCollection": "New Collection", + "ButtonSubmit": "Submit", + "ButtonCreate": "Create", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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 WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "T\u00ecm ki\u1ebfm", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Phim", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 bc6835fdcb..20f4fa16b0 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/zh-CN.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/zh-CN.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "\u56fe\u7247\u4fdd\u5b58\u547d\u540d\u89c4\u5219", - "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", - "HeaderNewCollection": "\u65b0\u5408\u96c6", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "\u6807\u51c6 - MB2", - "OptionAutomatic": "\u81ea\u52a8", - "ButtonCreate": "\u521b\u5efa", - "ButtonSignIn": "\u767b\u5f55", - "LiveTvPluginRequired": "\u8981\u7ee7\u7eed\u7684\u8bdd\u8bf7\u81f3\u5c11\u5b89\u88c5\u4e00\u4e2a\u7535\u89c6\u76f4\u64ad\u63d2\u4ef6\u3002", - "TitleSignIn": "\u767b\u5f55", - "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", - "LabelWebSocketPortNumber": "Web Socket\u7aef\u53e3\u53f7\uff1a", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "\u8bf7\u767b\u5f55", - "LabelUser": "\u7528\u6237\uff1a", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "\u5176\u4ed6", - "LabelPassword": "\u5bc6\u7801\uff1a", - "OptionDownloadThumbImage": "\u7f29\u7565\u56fe", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "\u624b\u52a8\u767b\u5f55", - "OptionDownloadMenuImage": "\u83dc\u5355", - "TabResume": "\u6062\u590d\u64ad\u653e", - "PasswordLocalhostMessage": "\u4ece\u672c\u5730\u4e3b\u673a\u767b\u5f55\u4e0d\u9700\u8981\u5bc6\u7801\u3002", - "OptionDownloadLogoImage": "\u6807\u5fd7", - "TabWeather": "\u5929\u6c14", - "OptionDownloadBoxImage": "\u5305\u88c5", - "TitleAppSettings": "\u5ba2\u6237\u7aef\u7a0b\u5e8f\u8bbe\u7f6e", - "ButtonDeleteImage": "\u5220\u9664\u56fe\u7247", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "\u5149\u76d8", - "LabelMinResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u767e\u5206\u6bd4\uff1a", - "ButtonUpload": "\u4e0a\u8f7d", - "OptionDownloadBannerImage": "\u6a2a\u5e45", - "LabelMaxResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5927\u767e\u5206\u6bd4\uff1a", - "HeaderUploadNewImage": "\u4e0a\u8f7d\u65b0\u56fe\u7247", - "OptionDownloadBackImage": "\u5305\u88c5\u80cc\u9762", - "LabelMinResumeDuration": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u65f6\u95f4\uff08\u79d2\uff09\uff1a", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "\u628a\u56fe\u7247\u62d6\u5230\u8fd9\u513f", - "OptionDownloadArtImage": "\u827a\u672f\u56fe", - "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", - "ImageUploadAspectRatioHelp": "\u63a8\u8350\u4f7f\u7528\u957f\u5bbd\u6bd41:1\u7684\u56fe\u7247\u3002 \u683c\u5f0f\u4ec5\u9650JPG \/ PNG\u3002", - "OptionDownloadPrimaryImage": "\u5c01\u9762\u56fe", - "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", - "MessageNothingHere": "\u8fd9\u513f\u4ec0\u4e48\u90fd\u6ca1\u6709\u3002", - "HeaderFetchImages": "\u83b7\u53d6\u56fe\u50cf\uff1a", - "LabelMinResumeDurationHelp": "\u5a92\u4f53\u64ad\u653e\u65f6\u95f4\u8fc7\u77ed\uff0c\u4e0d\u53ef\u6062\u590d\u64ad\u653e", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "\u8bf7\u786e\u4fdd\u5df2\u542f\u7528\u4ece\u4e92\u8054\u7f51\u4e0b\u8f7d\u5a92\u4f53\u8d44\u6599\u3002", - "HeaderImageSettings": "\u56fe\u7247\u8bbe\u7f6e", - "TabSuggested": "\u5efa\u8bae", - "LabelMaxBackdropsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u80cc\u666f\u56fe\u6570\u76ee\uff1a", - "TabLatest": "\u6700\u65b0", - "LabelMaxScreenshotsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u622a\u56fe\u6570\u76ee\uff1a", - "TabUpcoming": "\u5373\u5c06\u53d1\u5e03", - "LabelMinBackdropDownloadWidth": "\u4e0b\u8f7d\u80cc\u666f\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a", - "TabShows": "\u8282\u76ee", - "LabelMinScreenshotDownloadWidth": "\u4e0b\u8f7d\u622a\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a", - "TabEpisodes": "\u5267\u96c6", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u98ce\u683c", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u4eba\u7269", - "ButtonAdd": "\u6dfb\u52a0", - "TabNetworks": "\u7f51\u7edc", - "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", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "\u7cfb\u7edf\u4e8b\u4ef6\u4e4b\u540e", - "LabelDay": "\u65e5\uff1a", - "LabelTime": "\u65f6\u95f4\uff1a", - "OptionRelease": "\u5b98\u65b9\u6b63\u5f0f\u7248", - "LabelEvent": "\u4e8b\u4ef6\uff1a", - "OptionBeta": "\u6d4b\u8bd5\u7248", - "OptionWakeFromSleep": "\u4ece\u7761\u7720\u4e2d\u5524\u9192", - "ButtonInviteUser": "Invite User", - "OptionDev": "\u5f00\u53d1\u7248\uff08\u4e0d\u7a33\u5b9a\uff09", - "LabelEveryXMinutes": "\u6bcf\uff1a", - "HeaderTvTuners": "\u8c03\u8c10\u5668", - "CategorySync": "\u540c\u6b65", - "HeaderGallery": "\u56fe\u5e93", - "HeaderLatestGames": "\u6700\u65b0\u6e38\u620f", - "RegisterWithPayPal": "\u6ce8\u518cPayPal", - "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": "\u64ad\u653e\u5668\uff1a", - "OptionAnyNumberOfPlayers": "\u4efb\u610f", + "LabelExit": "\u9000\u51fa", + "LabelVisitCommunity": "\u8bbf\u95ee\u793e\u533a", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u6807\u51c6", "LabelApiDocumentation": "API\u6587\u6863", - "Option2Player": "2+", "LabelDeveloperResources": "\u5f00\u53d1\u8d44\u6e90", - "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", - "LabelManagement": "\u7ba1\u7406\uff1a", - "HeaderMusicVideos": "\u97f3\u4e50\u89c6\u9891", - "HeaderSpecialFeatures": "\u7279\u6b8a\u529f\u80fd", + "LabelBrowseLibrary": "\u6d4f\u89c8\u5a92\u4f53\u5e93", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "\u6253\u5f00\u5a92\u4f53\u5e93\u6d4f\u89c8\u5668", + "LabelRestartServer": "\u91cd\u542f\u670d\u52a1\u5668", + "LabelShowLogWindow": "\u663e\u793a\u65e5\u5fd7\u7a97\u53e3", + "LabelPrevious": "\u4e0a\u4e00\u4e2a", + "LabelFinish": "\u5b8c\u6210", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u4e0b\u4e00\u4e2a", + "LabelYoureDone": "\u5b8c\u6210\uff01", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "\u8be5\u5411\u5bfc\u5c06\u6307\u5bfc\u4f60\u5b8c\u6210\u5b89\u88c5\u8fc7\u7a0b\u3002\u9996\u5148\uff0c\u8bf7\u9009\u62e9\u4f60\u7684\u9996\u9009\u8bed\u8a00\u3002", + "TellUsAboutYourself": "\u8bf7\u4ecb\u7ecd\u4e00\u4e0b\u4f60\u81ea\u5df1", + "ButtonQuickStartGuide": "\u5feb\u901f\u5165\u95e8\u6307\u5357", + "LabelYourFirstName": "\u4f60\u7684\u540d\u5b57\uff1a", + "MoreUsersCanBeAddedLater": "\u7a0d\u540e\u5728\u63a7\u5236\u53f0\u4e2d\u53ef\u4ee5\u6dfb\u52a0\u66f4\u591a\u7528\u6237\u3002", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows \u670d\u52a1", + "AWindowsServiceHasBeenInstalled": "Windows \u670d\u52a1\u5b89\u88c5\u5b8c\u6210", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "\u5982\u679c\u4f7f\u7528Windows\u670d\u52a1\uff0c\u8bf7\u6ce8\u610f\uff0c\u5b83\u4e0d\u80fd\u540c\u65f6\u4e3a\u6258\u76d8\u56fe\u6807\u8fd0\u884c\uff0c\u6240\u4ee5\u4f60\u9700\u8981\u9000\u51fa\u6258\u76d8\u4ee5\u8fd0\u884c\u670d\u52a1\u3002\u8be5\u670d\u52a1\u8fd8\u5c06\u9700\u8981\u7ba1\u7406\u5458\u6743\u9650\uff0c\u8be5\u6743\u9650\u53ef\u4ee5\u901a\u8fc7\u63a7\u5236\u9762\u677f\u914d\u7f6e\u3002\u8bf7\u6ce8\u610f\uff0c\u6b64\u65f6\u670d\u52a1\u65e0\u6cd5\u81ea\u52a8\u66f4\u65b0\uff0c\u6240\u4ee5\u65b0\u7684\u7248\u672c\u5c06\u9700\u8981\u624b\u52a8\u66f4\u65b0\u3002", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u914d\u7f6e\u8bbe\u7f6e", + "LabelEnableVideoImageExtraction": "\u542f\u7528\u89c6\u9891\u622a\u56fe\u529f\u80fd", + "VideoImageExtractionHelp": "\u5bf9\u4e8e\u8fd8\u6ca1\u6709\u56fe\u7247\uff0c\u4ee5\u53ca\u6211\u4eec\u65e0\u6cd5\u627e\u5230\u7f51\u7edc\u56fe\u7247\u7684\u89c6\u9891\u3002\u8fd9\u4f1a\u989d\u5916\u589e\u52a0\u4e00\u4e9b\u521d\u59cb\u5316\u5a92\u4f53\u5e93\u7684\u626b\u63cf\u65f6\u95f4\uff0c\u4f46\u4f1a\u4f7f\u5a92\u4f53\u4ecb\u7ecd\u754c\u9762\u66f4\u52a0\u8d4f\u5fc3\u60a6\u76ee\u3002", + "LabelEnableChapterImageExtractionForMovies": "\u622a\u53d6\u7535\u5f71\u7ae0\u8282\u56fe\u7247", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "\u542f\u7528\u81ea\u52a8\u7aef\u53e3\u6620\u5c04", + "LabelEnableAutomaticPortMappingHelp": "UPNP\u5141\u8bb8\u81ea\u52a8\u8def\u7531\u5668\u914d\u7f6e\uff0c\u4ece\u800c\u66f4\u65b9\u4fbf\u7684\u8fdb\u884c\u8fdc\u7a0b\u8bbf\u95ee\u3002\u4f46\u8fd9\u53ef\u80fd\u4e0d\u9002\u7528\u4e8e\u67d0\u4e9b\u578b\u53f7\u7684\u8def\u7531\u5668\u3002", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "\u7ee7\u7eed\u4e4b\u524d\u8bf7\u63a5\u53d7\u670d\u52a1\u548c\u9690\u79c1\u653f\u7b56\u6761\u6b3e\u3002", + "OptionIAcceptTermsOfService": "\u6211\u63a5\u53d7\u670d\u52a1\u6761\u6b3e", + "ButtonPrivacyPolicy": "\u9690\u79c1\u653f\u7b56", + "ButtonTermsOfService": "\u670d\u52a1\u6761\u6b3e", "HeaderDeveloperOptions": "\u5f00\u53d1\u4eba\u5458\u9009\u9879", - "HeaderCastCrew": "\u6f14\u804c\u4eba\u5458", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u5206", "OptionEnableWebClientResponseCache": "\u542f\u7528Web\u5ba2\u6237\u7aef\u7f13\u5b58\u54cd\u5e94", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "\u652f\u7ebf\u7248\u672c", - "LabelSyncTempPath": "\u4e34\u65f6\u6587\u4ef6\u8def\u5f84\uff1a", "OptionDisableForDevelopmentHelp": "\u6839\u636e\u5bf9Web\u5ba2\u6237\u7aef\u7684\u5f00\u53d1\u7684\u9700\u8981\u6765\u914d\u7f6e\u8fd9\u4e9b\u9879\u76ee\u3002", - "LabelMissing": "\u7f3a\u5931", - "LabelSyncTempPathHelp": "\u6307\u5b9a\u540c\u6b65\u65f6\u7684\u5de5\u4f5c\u6587\u4ef6\u5939\u3002\u5728\u540c\u6b65\u8fc7\u7a0b\u4e2d\u521b\u5efa\u7684\u8f6c\u6362\u5a92\u4f53\u6587\u4ef6\u5c06\u88ab\u5b58\u653e\u5728\u8fd9\u91cc\u3002", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "\u79bb\u7ebf", "OptionEnableWebClientResourceMinification": "\u542f\u7528Web\u5ba2\u6237\u7aef\u8d44\u6e90\u6700\u5c0f\u5316", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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", - "LabelCustomCertificatePath": "\u81ea\u5b9a\u4e49\u8bc1\u4e66\u8def\u5f84\uff1a", - "HeaderFrom": "\u4ece", "LabelDashboardSourcePath": "Web\u5ba2\u6237\u7aef\u6e90\u8def\u5f84\uff1a", - "HeaderTo": "\u5230", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "\u4ece\uff1a", "LabelDashboardSourcePathHelp": "\u5982\u679c\u4ece\u6e90\u8fd0\u884c\u670d\u52a1\u5668\uff0c\u8bf7\u6307\u5b9a\u63a7\u5236\u53f0UI\u6587\u4ef6\u5939\u8def\u5f84\u3002\u8fd9\u4e2a\u6587\u4ef6\u5939\u5c06\u63d0\u4f9bWeb\u5ba2\u6237\u7aef\u7684\u6240\u6709\u6587\u4ef6\u3002", - "LabelFromHelp": "\u4f8b\u5982\uff1a D:\\Movies \uff08\u5728\u670d\u52a1\u5668\u4e0a\uff09", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "\u5230\uff1a", + "ButtonConvertMedia": "\u5a92\u4f53\u8f6c\u6362", + "ButtonOrganize": "\u6574\u7406", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "\u786e\u5b9a", + "ButtonCancel": "\u53d6\u6d88", + "ButtonExit": "Exit", + "ButtonNew": "\u65b0\u589e", + "HeaderTV": "\u7535\u89c6", + "HeaderAudio": "\u97f3\u9891", + "HeaderVideo": "\u89c6\u9891", "HeaderPaths": "\u8def\u5f84", - "LabelToHelp": "\u4f8b\u5982\uff1a \\\\MyServer\\Movies \uff08\u5ba2\u6237\u7aef\u80fd\u8bbf\u95ee\u7684\u8def\u5f84\uff09", - "ButtonAddPathSubstitution": "\u6dfb\u52a0\u8def\u5f84\u66ff\u6362", + "CategorySync": "\u540c\u6b65", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "\u7b80\u6613Pin\u7801", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "\u6ce8\u518cPayPal", + "HeaderSyncRequiresSupporterMembership": "\u540c\u6b65\u9700\u8981\u652f\u6301\u8005\u4f1a\u5458", + "HeaderEnjoyDayTrial": "\u4eab\u53d714\u5929\u514d\u8d39\u8bd5\u7528", + "LabelSyncTempPath": "\u4e34\u65f6\u6587\u4ef6\u8def\u5f84\uff1a", + "LabelSyncTempPathHelp": "\u6307\u5b9a\u540c\u6b65\u65f6\u7684\u5de5\u4f5c\u6587\u4ef6\u5939\u3002\u5728\u540c\u6b65\u8fc7\u7a0b\u4e2d\u521b\u5efa\u7684\u8f6c\u6362\u5a92\u4f53\u6587\u4ef6\u5c06\u88ab\u5b58\u653e\u5728\u8fd9\u91cc\u3002", + "LabelCustomCertificatePath": "\u81ea\u5b9a\u4e49\u8bc1\u4e66\u8def\u5f84\uff1a", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "\u901a\u77e5", - "OptionSpecialEpisode": "\u7279\u96c6", - "OptionMissingEpisode": "\u7f3a\u5c11\u7684\u5267\u96c6", "ButtonDonateWithPayPal": "\u901a\u8fc7PayPal\u6350\u8d60", + "OptionDetectArchiveFilesAsMedia": "\u628a\u538b\u7f29\u6587\u4ef6\u4f5c\u4e3a\u5a92\u4f53\u6587\u4ef6\u68c0\u6d4b", + "OptionDetectArchiveFilesAsMediaHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e0e.RAR\u548c.zip\u6269\u5c55\u540d\u7684\u6587\u4ef6\u5c06\u88ab\u68c0\u6d4b\u4e3a\u5a92\u4f53\u6587\u4ef6\u3002", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "\u540c\u6b65\u4f5c\u4e1a", + "FolderTypeMovies": "\u7535\u5f71", + "FolderTypeMusic": "\u97f3\u4e50", + "FolderTypeAdultVideos": "\u6210\u4eba\u89c6\u9891", + "FolderTypePhotos": "\u56fe\u7247", + "FolderTypeMusicVideos": "\u97f3\u4e50\u89c6\u9891", + "FolderTypeHomeVideos": "\u5bb6\u5ead\u89c6\u9891", + "FolderTypeGames": "\u6e38\u620f", + "FolderTypeBooks": "\u4e66\u7c4d", + "FolderTypeTvShows": "\u7535\u89c6", "FolderTypeInherit": "\u7ee7\u627f", - "OptionUnairedEpisode": "\u5c1a\u672a\u53d1\u5e03\u7684\u5267\u96c6", "LabelContentType": "\u5185\u5bb9\u7c7b\u578b", - "OptionEpisodeSortName": "\u5267\u96c6\u540d\u79f0\u6392\u5e8f", "TitleScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", - "OptionSeriesSortName": "\u7535\u89c6\u5267\u540d\u79f0", - "TabNotifications": "\u901a\u77e5", - "OptionTvdbRating": "Tvdb \u8bc4\u5206", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "\u8f6c\u7801\u8d28\u91cf\u504f\u597d\uff1a", - "OptionAutomaticTranscodingHelp": "\u7531\u670d\u52a1\u5668\u81ea\u52a8\u9009\u62e9\u8d28\u91cf\u4e0e\u901f\u5ea6", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "\u4f4e\u8d28\u91cf\uff0c\u8f6c\u7801\u5feb", - "OptionHighQualityTranscodingHelp": "\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u6162", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u66f4\u6162\u4e14CPU\u5360\u7528\u5f88\u9ad8", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "\u66f4\u9ad8\u901f\u5ea6", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "\u66f4\u9ad8\u8d28\u91cf", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "\u6700\u9ad8\u8d28\u91cf", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "\u542f\u7528\u8f6c\u7801\u9664\u9519\u65e5\u5fd7", + "HeaderSetupLibrary": "\u8bbe\u7f6e\u4f60\u7684\u5a92\u4f53\u5e93", + "ButtonAddMediaFolder": "\u6dfb\u52a0\u5a92\u4f53\u6587\u4ef6\u5939", + "LabelFolderType": "\u6587\u4ef6\u5939\u7c7b\u578b\uff1a", + "ReferToMediaLibraryWiki": "\u8bf7\u53c2\u9605\u5a92\u4f53\u5e93\u7ef4\u57fa\u3002", + "LabelCountry": "\u56fd\u5bb6\uff1a", + "LabelLanguage": "\u8bed\u8a00\uff1a", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "\u52a0\u5165\u5f00\u53d1\u56e2\u961f", + "HeaderPreferredMetadataLanguage": "\u9996\u9009\u5a92\u4f53\u8d44\u6599\u8bed\u8a00\uff1a", + "LabelSaveLocalMetadata": "\u4fdd\u5b58\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599\u5230\u5a92\u4f53\u6240\u5728\u6587\u4ef6\u5939", + "LabelSaveLocalMetadataHelp": "\u76f4\u63a5\u4fdd\u5b58\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599\u5230\u5a92\u4f53\u6240\u5728\u6587\u4ef6\u5939\u4ee5\u65b9\u4fbf\u7f16\u8f91\u3002", + "LabelDownloadInternetMetadata": "\u4ece\u4e92\u8054\u7f51\u4e0b\u8f7d\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u504f\u597d", + "TabPassword": "\u5bc6\u7801", + "TabLibraryAccess": "\u5a92\u4f53\u5e93\u8bbf\u95ee\u6743\u9650", + "TabAccess": "\u8bbf\u95ee", + "TabImage": "\u56fe\u7247", + "TabProfile": "\u4e2a\u4eba\u914d\u7f6e", + "TabMetadata": "\u5a92\u4f53\u8d44\u6599", + "TabImages": "\u56fe\u50cf", + "TabNotifications": "\u901a\u77e5", + "TabCollectionTitles": "\u6807\u9898", + "HeaderDeviceAccess": "\u8bbe\u5907\u8bbf\u95ee", + "OptionEnableAccessFromAllDevices": "\u542f\u7528\u6240\u6709\u8bbe\u5907\u53ef\u4ee5\u8bbf\u95ee", + "OptionEnableAccessToAllChannels": "\u542f\u7528\u6240\u6709\u9891\u9053\u53ef\u4ee5\u8bbf\u95ee", + "OptionEnableAccessToAllLibraries": "\u542f\u7528\u6240\u6709\u5a92\u4f53\u5e93\u53ef\u4ee5\u8bbf\u95ee", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u663e\u793a\u6bcf\u5b63\u91cc\u7f3a\u5c11\u7684\u5267\u96c6", + "LabelUnairedMissingEpisodesWithinSeasons": "\u663e\u793a\u6bcf\u5b63\u91cc\u672a\u53d1\u5e03\u7684\u5267\u96c6", + "HeaderVideoPlaybackSettings": "\u89c6\u9891\u56de\u653e\u8bbe\u7f6e", + "HeaderPlaybackSettings": "\u64ad\u653e\u8bbe\u7f6e", + "LabelAudioLanguagePreference": "\u97f3\u9891\u8bed\u8a00\u504f\u597d\u8bbe\u7f6e", + "LabelSubtitleLanguagePreference": "\u5b57\u5e55\u8bed\u8a00\u504f\u597d\u8bbe\u7f6e", "OptionDefaultSubtitles": "\u9ed8\u8ba4", - "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", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u7528\u6237", "OptionOnlyForcedSubtitles": "\u4ec5\u7528\u5f3a\u5236\u5b57\u5e55", - "HeaderFilters": "\u7b5b\u9009\uff1a", "OptionAlwaysPlaySubtitles": "\u603b\u662f\u64ad\u653e\u5b57\u5e55", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u7b5b\u9009", + "OptionNoSubtitles": "\u65e0\u5b57\u5e55", "OptionDefaultSubtitlesHelp": "\u5339\u914d\u5b57\u5e55\u8bed\u8a00\u504f\u597d\uff0c\u5f53\u97f3\u9891\u662f\u5916\u8bed\u65f6\u5b57\u5e55\u5c06\u88ab\u52a0\u8f7d\u3002", - "OptionFavorite": "\u6211\u7684\u6700\u7231", "OptionOnlyForcedSubtitlesHelp": "\u53ea\u6709\u5b57\u5e55\u6807\u8bb0\u4e3a\u5f3a\u5236\u5c06\u88ab\u52a0\u8f7d\u3002", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u559c\u6b22", "OptionAlwaysPlaySubtitlesHelp": "\u5339\u914d\u5b57\u5e55\u8bed\u8a00\u504f\u597d\uff0c\u65e0\u8bba\u97f3\u9891\u662f\u4ec0\u4e48\u8bed\u5b57\u5e55\u90fd\u5c06\u88ab\u52a0\u8f7d\u3002", - "OptionDislikes": "\u4e0d\u559c\u6b22", "OptionNoSubtitlesHelp": "\u5b57\u5e55\u5c06\u4e0d\u4f1a\u88ab\u9ed8\u8ba4\u52a0\u8f7d\u3002", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u914d\u7f6e", + "TabSecurity": "\u5b89\u5168\u6027", + "ButtonAddUser": "\u6dfb\u52a0\u7528\u6237", + "ButtonAddLocalUser": "\u6dfb\u52a0\u672c\u5730\u7528\u6237", + "ButtonInviteUser": "Invite User", + "ButtonSave": "\u50a8\u5b58", + "ButtonResetPassword": "\u91cd\u7f6e\u5bc6\u7801", + "LabelNewPassword": "\u65b0\u5bc6\u7801\uff1a", + "LabelNewPasswordConfirm": "\u65b0\u5bc6\u7801\u786e\u8ba4\uff1a", + "HeaderCreatePassword": "\u521b\u5efa\u5bc6\u7801", + "LabelCurrentPassword": "\u5f53\u524d\u5bc6\u7801\u3002", + "LabelMaxParentalRating": "\u6700\u5927\u5141\u8bb8\u7684\u5bb6\u957f\u8bc4\u7ea7\uff1a", + "MaxParentalRatingHelp": "\u9ad8\u7ea7\u522b\u5185\u5bb9\u5c06\u5bf9\u6b64\u7528\u6237\u9690\u85cf\u3002", + "LibraryAccessHelp": "\u9009\u62e9\u5171\u4eab\u7ed9\u6b64\u7528\u6237\u7684\u5a92\u4f53\u6587\u4ef6\u5939\u3002\u7ba1\u7406\u5458\u80fd\u4f7f\u7528\u5a92\u4f53\u8d44\u6599\u7ba1\u7406\u5668\u6765\u7f16\u8f91\u6240\u6709\u6587\u4ef6\u5939\u3002", + "ChannelAccessHelp": "\u9009\u62e9\u5171\u4eab\u7ed9\u6b64\u7528\u6237\u7684\u9891\u9053\u3002\u7ba1\u7406\u5458\u80fd\u4f7f\u7528\u5a92\u4f53\u8d44\u6599\u7ba1\u7406\u5668\u6765\u7f16\u8f91\u6240\u6709\u9891\u9053\u3002", + "ButtonDeleteImage": "\u5220\u9664\u56fe\u7247", + "LabelSelectUsers": "\u9009\u62e9\u7528\u6237\uff1a", + "ButtonUpload": "\u4e0a\u8f7d", + "HeaderUploadNewImage": "\u4e0a\u8f7d\u65b0\u56fe\u7247", + "LabelDropImageHere": "\u628a\u56fe\u7247\u62d6\u5230\u8fd9\u513f", + "ImageUploadAspectRatioHelp": "\u63a8\u8350\u4f7f\u7528\u957f\u5bbd\u6bd41:1\u7684\u56fe\u7247\u3002 \u683c\u5f0f\u4ec5\u9650JPG \/ PNG\u3002", + "MessageNothingHere": "\u8fd9\u513f\u4ec0\u4e48\u90fd\u6ca1\u6709\u3002", + "MessagePleaseEnsureInternetMetadata": "\u8bf7\u786e\u4fdd\u5df2\u542f\u7528\u4ece\u4e92\u8054\u7f51\u4e0b\u8f7d\u5a92\u4f53\u8d44\u6599\u3002", + "TabSuggested": "\u5efa\u8bae", + "TabSuggestions": "Suggestions", + "TabLatest": "\u6700\u65b0", + "TabUpcoming": "\u5373\u5c06\u53d1\u5e03", + "TabShows": "\u8282\u76ee", + "TabEpisodes": "\u5267\u96c6", + "TabGenres": "\u98ce\u683c", + "TabPeople": "\u4eba\u7269", + "TabNetworks": "\u7f51\u7edc", + "HeaderUsers": "\u7528\u6237", + "HeaderFilters": "\u7b5b\u9009\uff1a", + "ButtonFilter": "\u7b5b\u9009", + "OptionFavorite": "\u6211\u7684\u6700\u7231", + "OptionLikes": "\u559c\u6b22", + "OptionDislikes": "\u4e0d\u559c\u6b22", "OptionActors": "\u6f14\u5458", - "TangibleSoftwareMessage": "\u901a\u8fc7\u6350\u8d60\u7684\u8bb8\u53ef\u8bc1\u4f7f\u7528Java \/ C\uff03\u8f6c\u6362\u5668\u5207\u5b9e\u53ef\u884c\u7684\u89e3\u51b3\u65b9\u6848\u3002", "OptionGuestStars": "\u7279\u9080\u660e\u661f", - "HeaderCredits": "\u5236\u4f5c\u4eba\u5458\u540d\u5355", "OptionDirectors": "\u5bfc\u6f14", - "TabCollections": "\u5408\u96c6", "OptionWriters": "\u7f16\u5267", - "TabFavorites": "\u6211\u7684\u6700\u7231", "OptionProducers": "\u5236\u7247\u4eba", - "TabMyLibrary": "\u6211\u7684\u5a92\u4f53\u5e93", - "HeaderServices": "Services", "HeaderResume": "\u6062\u590d\u64ad\u653e", - "LabelCustomizeOptionsPerMediaType": "\u81ea\u5b9a\u4e49\u5a92\u4f53\u7c7b\u578b\uff1a", "HeaderNextUp": "\u4e0b\u4e00\u96c6", "NoNextUpItemsMessage": "\u6ca1\u6709\u53d1\u73b0\u3002\u5f00\u59cb\u770b\u4f60\u7684\u8282\u76ee\uff01", "HeaderLatestEpisodes": "\u6700\u65b0\u5267\u96c6", @@ -219,42 +200,32 @@ "TabMusicVideos": "\u97f3\u4e50\u89c6\u9891", "ButtonSort": "\u6392\u5e8f", "HeaderSortBy": "\u6392\u5e8f\u65b9\u5f0f\uff1a", - "OptionEnableAccessToAllChannels": "\u542f\u7528\u6240\u6709\u9891\u9053\u53ef\u4ee5\u8bbf\u95ee", "HeaderSortOrder": "\u6392\u5e8f\u987a\u5e8f\uff1a", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "\u5df2\u64ad\u653e", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u672a\u64ad\u653e", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "\u5347\u5e8f", "OptionDescending": "\u964d\u5e8f", "OptionRuntime": "\u64ad\u653e\u65f6\u95f4", + "OptionReleaseDate": "\u53d1\u884c\u65e5\u671f", "OptionPlayCount": "\u64ad\u653e\u6b21\u6570", "OptionDatePlayed": "\u64ad\u653e\u65e5\u671f", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u52a0\u5165\u65e5\u671f", - "HeaderTV": "\u7535\u89c6", "OptionAlbumArtist": "\u4e13\u8f91\u827a\u672f\u5bb6", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "\u628a\u538b\u7f29\u6587\u4ef6\u4f5c\u4e3a\u5a92\u4f53\u6587\u4ef6\u68c0\u6d4b", "OptionArtist": "\u827a\u672f\u5bb6", - "MessagePleaseAcceptTermsOfService": "\u7ee7\u7eed\u4e4b\u524d\u8bf7\u63a5\u53d7\u670d\u52a1\u548c\u9690\u79c1\u653f\u7b56\u6761\u6b3e\u3002", - "OptionDetectArchiveFilesAsMediaHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e0e.RAR\u548c.zip\u6269\u5c55\u540d\u7684\u6587\u4ef6\u5c06\u88ab\u68c0\u6d4b\u4e3a\u5a92\u4f53\u6587\u4ef6\u3002", "OptionAlbum": "\u4e13\u8f91", - "OptionIAcceptTermsOfService": "\u6211\u63a5\u53d7\u670d\u52a1\u6761\u6b3e", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u66f2\u76ee\u540d\u79f0", - "ButtonPrivacyPolicy": "\u9690\u79c1\u653f\u7b56", - "LabelSelectUsers": "\u9009\u62e9\u7528\u6237\uff1a", "OptionCommunityRating": "\u516c\u4f17\u8bc4\u5206", - "ButtonTermsOfService": "\u670d\u52a1\u6761\u6b3e", "OptionNameSort": "\u540d\u5b57", + "OptionFolderSort": "\u6587\u4ef6\u5939", "OptionBudget": "\u9884\u7b97", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "\u6536\u5165", "OptionPoster": "\u6d77\u62a5", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "\u80cc\u666f", "OptionTimeline": "\u65f6\u95f4\u8868", + "OptionThumb": "\u7f29\u7565\u56fe", + "OptionThumbCard": "Thumb card", + "OptionBanner": "\u6a2a\u5e45", "OptionCriticRating": "\u5f71\u8bc4\u4eba\u8bc4\u5206", "OptionVideoBitrate": "\u89c6\u9891\u6bd4\u7279\u7387", "OptionResumable": "\u53ef\u6062\u590d\u64ad\u653e", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "\u8ba1\u5212\u4efb\u52a1", "TabMyPlugins": "\u6211\u7684\u63d2\u4ef6", "TabCatalog": "\u76ee\u5f55", - "ThisWizardWillGuideYou": "\u8be5\u5411\u5bfc\u5c06\u6307\u5bfc\u4f60\u5b8c\u6210\u5b89\u88c5\u8fc7\u7a0b\u3002\u9996\u5148\uff0c\u8bf7\u9009\u62e9\u4f60\u7684\u9996\u9009\u8bed\u8a00\u3002", - "TellUsAboutYourself": "\u8bf7\u4ecb\u7ecd\u4e00\u4e0b\u4f60\u81ea\u5df1", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "\u81ea\u52a8\u66f4\u65b0", - "LabelYourFirstName": "\u4f60\u7684\u540d\u5b57\uff1a", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u7a0d\u540e\u5728\u63a7\u5236\u53f0\u4e2d\u53ef\u4ee5\u6dfb\u52a0\u66f4\u591a\u7528\u6237\u3002", "HeaderNowPlaying": "\u6b63\u5728\u64ad\u653e", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "\u6700\u65b0\u4e13\u8f91", - "LabelWindowsService": "Windows \u670d\u52a1", "HeaderLatestSongs": "\u6700\u65b0\u6b4c\u66f2", - "ButtonExit": "Exit", - "ButtonConvertMedia": "\u5a92\u4f53\u8f6c\u6362", - "AWindowsServiceHasBeenInstalled": "Windows \u670d\u52a1\u5b89\u88c5\u5b8c\u6210", "HeaderRecentlyPlayed": "\u6700\u8fd1\u64ad\u653e", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "\u591a\u6b21\u64ad\u653e", - "ButtonOrganize": "\u6574\u7406", - "WindowsServiceIntro2": "\u5982\u679c\u4f7f\u7528Windows\u670d\u52a1\uff0c\u8bf7\u6ce8\u610f\uff0c\u5b83\u4e0d\u80fd\u540c\u65f6\u4e3a\u6258\u76d8\u56fe\u6807\u8fd0\u884c\uff0c\u6240\u4ee5\u4f60\u9700\u8981\u9000\u51fa\u6258\u76d8\u4ee5\u8fd0\u884c\u670d\u52a1\u3002\u8be5\u670d\u52a1\u8fd8\u5c06\u9700\u8981\u7ba1\u7406\u5458\u6743\u9650\uff0c\u8be5\u6743\u9650\u53ef\u4ee5\u901a\u8fc7\u63a7\u5236\u9762\u677f\u914d\u7f6e\u3002\u8bf7\u6ce8\u610f\uff0c\u6b64\u65f6\u670d\u52a1\u65e0\u6cd5\u81ea\u52a8\u66f4\u65b0\uff0c\u6240\u4ee5\u65b0\u7684\u7248\u672c\u5c06\u9700\u8981\u624b\u52a8\u66f4\u65b0\u3002", "DevBuildWarning": "\u5f00\u53d1\u7248\u672c\u662f\u6700\u524d\u7aef\u7684\u3002\u8fd9\u4e9b\u7248\u672c\u7ecf\u5e38\u53d1\u5e03\u4f46\u6ca1\u6709\u7ecf\u8fc7\u6d4b\u8bd5\u3002\u53ef\u80fd\u4f1a\u5bfc\u81f4\u5e94\u7528\u7a0b\u5e8f\u5d29\u6e83\uff0c\u4e14\u6240\u6709\u529f\u80fd\u65e0\u6cd5\u5de5\u4f5c\u3002", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "\u52a0\u5165\u5f00\u53d1\u56e2\u961f", - "LabelConfigureSettings": "\u914d\u7f6e\u8bbe\u7f6e", - "LabelEnableVideoImageExtraction": "\u542f\u7528\u89c6\u9891\u622a\u56fe\u529f\u80fd", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "\u542f\u7528\u6240\u6709\u5a92\u4f53\u5e93\u53ef\u4ee5\u8bbf\u95ee", - "VideoImageExtractionHelp": "\u5bf9\u4e8e\u8fd8\u6ca1\u6709\u56fe\u7247\uff0c\u4ee5\u53ca\u6211\u4eec\u65e0\u6cd5\u627e\u5230\u7f51\u7edc\u56fe\u7247\u7684\u89c6\u9891\u3002\u8fd9\u4f1a\u989d\u5916\u589e\u52a0\u4e00\u4e9b\u521d\u59cb\u5316\u5a92\u4f53\u5e93\u7684\u626b\u63cf\u65f6\u95f4\uff0c\u4f46\u4f1a\u4f7f\u5a92\u4f53\u4ecb\u7ecd\u754c\u9762\u66f4\u52a0\u8d4f\u5fc3\u60a6\u76ee\u3002", - "LabelEnableChapterImageExtractionForMovies": "\u622a\u53d6\u7535\u5f71\u7ae0\u8282\u56fe\u7247", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "\u542f\u7528\u81ea\u52a8\u7aef\u53e3\u6620\u5c04", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPNP\u5141\u8bb8\u81ea\u52a8\u8def\u7531\u5668\u914d\u7f6e\uff0c\u4ece\u800c\u66f4\u65b9\u4fbf\u7684\u8fdb\u884c\u8fdc\u7a0b\u8bbf\u95ee\u3002\u4f46\u8fd9\u53ef\u80fd\u4e0d\u9002\u7528\u4e8e\u67d0\u4e9b\u578b\u53f7\u7684\u8def\u7531\u5668\u3002", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "\u786e\u5b9a", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u53d6\u6d88", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "\u8bbe\u7f6e\u4f60\u7684\u5a92\u4f53\u5e93", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "\u6dfb\u52a0\u5a92\u4f53\u6587\u4ef6\u5939", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u6587\u4ef6\u5939\u7c7b\u578b\uff1a", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "\u8bf7\u53c2\u9605\u5a92\u4f53\u5e93\u7ef4\u57fa\u3002", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u56fd\u5bb6\uff1a", - "LabelLanguage": "\u8bed\u8a00\uff1a", - "HeaderPreferredMetadataLanguage": "\u9996\u9009\u5a92\u4f53\u8d44\u6599\u8bed\u8a00\uff1a", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u4fdd\u5b58\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599\u5230\u5a92\u4f53\u6240\u5728\u6587\u4ef6\u5939", - "LabelSaveLocalMetadataHelp": "\u76f4\u63a5\u4fdd\u5b58\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599\u5230\u5a92\u4f53\u6240\u5728\u6587\u4ef6\u5939\u4ee5\u65b9\u4fbf\u7f16\u8f91\u3002", - "LabelDownloadInternetMetadata": "\u4ece\u4e92\u8054\u7f51\u4e0b\u8f7d\u5a92\u4f53\u56fe\u50cf\u53ca\u8d44\u6599", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "\u8bbe\u5907\u8bbf\u95ee", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "\u7f29\u7565\u56fe", - "LabelExit": "\u9000\u51fa", - "OptionBanner": "\u6a2a\u5e45", - "LabelVisitCommunity": "\u8bbf\u95ee\u793e\u533a", "LabelVideoType": "\u89c6\u9891\u7c7b\u578b\uff1a", "OptionBluray": "\u84dd\u5149", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "\u6807\u51c6", "OptionIso": "ISO\u955c\u50cf\u6587\u4ef6", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "\u542f\u7528\u6240\u6709\u8bbe\u5907\u53ef\u4ee5\u8bbf\u95ee", - "LabelBrowseLibrary": "\u6d4f\u89c8\u5a92\u4f53\u5e93", "LabelFeatures": "\u529f\u80fd\uff1a", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "\u9009\u62e9\u5171\u4eab\u7ed9\u6b64\u7528\u6237\u7684\u9891\u9053\u3002\u7ba1\u7406\u5458\u80fd\u4f7f\u7528\u5a92\u4f53\u8d44\u6599\u7ba1\u7406\u5668\u6765\u7f16\u8f91\u6240\u6709\u9891\u9053\u3002", + "LabelService": "\u670d\u52a1\uff1a", + "LabelStatus": "\u72b6\u6001\uff1a", + "LabelVersion": "\u7248\u672c\uff1a", + "LabelLastResult": "\u6700\u7ec8\u7ed3\u679c\uff1a", "OptionHasSubtitles": "\u5b57\u5e55", - "LabelOpenLibraryViewer": "\u6253\u5f00\u5a92\u4f53\u5e93\u6d4f\u89c8\u5668", "OptionHasTrailer": "\u9884\u544a\u7247", - "LabelRestartServer": "\u91cd\u542f\u670d\u52a1\u5668", "OptionHasThemeSong": "\u4e3b\u9898\u6b4c", - "LabelShowLogWindow": "\u663e\u793a\u65e5\u5fd7\u7a97\u53e3", "OptionHasThemeVideo": "\u4e3b\u9898\u89c6\u9891", - "LabelPrevious": "\u4e0a\u4e00\u4e2a", "TabMovies": "\u7535\u5f71", - "LabelFinish": "\u5b8c\u6210", "TabStudios": "\u5de5\u4f5c\u5ba4", - "FolderTypeMixed": "\u6df7\u5408\u5185\u5bb9", - "LabelNext": "\u4e0b\u4e00\u4e2a", "TabTrailers": "\u9884\u544a\u7247", - "FolderTypeMovies": "\u7535\u5f71", - "LabelYoureDone": "\u5b8c\u6210\uff01", + "LabelArtists": "\u827a\u672f\u5bb6\uff1a", + "LabelArtistsHelp": "\u72ec\u7acb\u591a\u529f\u80fd\uff1b", "HeaderLatestMovies": "\u6700\u65b0\u7535\u5f71", - "FolderTypeMusic": "\u97f3\u4e50", - "ButtonPlayTrailer": "\u9884\u544a\u7247", - "HeaderSyncRequiresSupporterMembership": "\u540c\u6b65\u9700\u8981\u652f\u6301\u8005\u4f1a\u5458", "HeaderLatestTrailers": "\u6700\u65b0\u9884\u544a\u7247", - "FolderTypeAdultVideos": "\u6210\u4eba\u89c6\u9891", "OptionHasSpecialFeatures": "\u7279\u6b8a\u529f\u80fd", - "FolderTypePhotos": "\u56fe\u7247", - "ButtonSubmit": "\u63d0\u4ea4", - "HeaderEnjoyDayTrial": "\u4eab\u53d714\u5929\u514d\u8d39\u8bd5\u7528", "OptionImdbRating": "IMDb \u8bc4\u5206", - "FolderTypeMusicVideos": "\u97f3\u4e50\u89c6\u9891", - "LabelFailed": "\u5931\u8d25", "OptionParentalRating": "\u5bb6\u957f\u5206\u7ea7", - "FolderTypeHomeVideos": "\u5bb6\u5ead\u89c6\u9891", - "LabelSeries": "\u7535\u89c6\u5267\uff1a", "OptionPremiereDate": "\u9996\u6620\u65e5\u671f", - "FolderTypeGames": "\u6e38\u620f", - "ButtonRefresh": "\u5237\u65b0", "TabBasic": "\u57fa\u672c", - "FolderTypeBooks": "\u4e66\u7c4d", - "HeaderPlaybackSettings": "\u64ad\u653e\u8bbe\u7f6e", "TabAdvanced": "\u9ad8\u7ea7", - "FolderTypeTvShows": "\u7535\u89c6", "HeaderStatus": "\u72b6\u6001", "OptionContinuing": "\u7ee7\u7eed", "OptionEnded": "\u7ed3\u675f", - "HeaderSync": "Sync", - "TabPreferences": "\u504f\u597d", "HeaderAirDays": "\u64ad\u51fa\u65e5\u671f", - "OptionReleaseDate": "\u53d1\u884c\u65e5\u671f", - "TabPassword": "\u5bc6\u7801", - "HeaderEasyPinCode": "\u7b80\u6613Pin\u7801", "OptionSunday": "\u661f\u671f\u5929", - "LabelArtists": "\u827a\u672f\u5bb6\uff1a", - "TabLibraryAccess": "\u5a92\u4f53\u5e93\u8bbf\u95ee\u6743\u9650", - "TitleAutoOrganize": "\u81ea\u52a8\u6574\u7406", "OptionMonday": "\u661f\u671f\u4e00", - "LabelArtistsHelp": "\u72ec\u7acb\u591a\u529f\u80fd\uff1b", - "TabImage": "\u56fe\u7247", - "TabActivityLog": "\u6d3b\u52a8\u65e5\u5fd7", "OptionTuesday": "\u661f\u671f\u4e8c", - "ButtonAdvancedRefresh": "\u9ad8\u7ea7\u5237\u65b0", - "TabProfile": "\u4e2a\u4eba\u914d\u7f6e", - "HeaderName": "\u540d\u5b57", "OptionWednesday": "\u661f\u671f\u4e09", - "LabelDisplayMissingEpisodesWithinSeasons": "\u663e\u793a\u6bcf\u5b63\u91cc\u7f3a\u5c11\u7684\u5267\u96c6", - "HeaderDate": "\u65e5\u671f", "OptionThursday": "\u661f\u671f\u56db", - "LabelUnairedMissingEpisodesWithinSeasons": "\u663e\u793a\u6bcf\u5b63\u91cc\u672a\u53d1\u5e03\u7684\u5267\u96c6", - "HeaderSource": "\u6765\u6e90", "OptionFriday": "\u661f\u671f\u4e94", - "ButtonAddLocalUser": "\u6dfb\u52a0\u672c\u5730\u7528\u6237", - "HeaderVideoPlaybackSettings": "\u89c6\u9891\u56de\u653e\u8bbe\u7f6e", - "HeaderDestination": "\u76ee\u7684\u5730", "OptionSaturday": "\u661f\u671f\u516d", - "LabelAudioLanguagePreference": "\u97f3\u9891\u8bed\u8a00\u504f\u597d\u8bbe\u7f6e", - "HeaderProgram": "\u7a0b\u5e8f", "HeaderManagement": "\u7ba1\u7406", - "OptionMissingTmdbId": "\u7f3a\u5c11Tmdb \u7f16\u53f7", - "LabelSubtitleLanguagePreference": "\u5b57\u5e55\u8bed\u8a00\u504f\u597d\u8bbe\u7f6e", - "HeaderClients": "\u5ba2\u6237\u7aef", + "LabelManagement": "\u7ba1\u7406\uff1a", "OptionMissingImdbId": "\u7f3a\u5c11IMDb \u7f16\u53f7", - "OptionIsHD": "HD\u9ad8\u6e05", - "HeaderAudio": "\u97f3\u9891", - "LabelCompleted": "\u5b8c\u6210", "OptionMissingTvdbId": "\u7f3a\u5c11TheTVDB \u7f16\u53f7", + "OptionMissingOverview": "\u7f3a\u5c11\u6982\u8ff0", + "OptionFileMetadataYearMismatch": "\u6587\u4ef6\/\u5a92\u4f53\u8d44\u6599\u5e74\u4efd\u4e0d\u5339\u914d", + "TabGeneral": "\u4e00\u822c", + "TitleSupport": "\u652f\u6301", + "LabelSeasonNumber": "Season number", + "TabLog": "\u65e5\u5fd7\u6587\u6863", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u5173\u4e8e", + "TabSupporterKey": "\u652f\u6301\u8005\u5e8f\u53f7", + "TabBecomeSupporter": "\u6210\u4e3a\u652f\u6301\u8005", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "\u641c\u7d22\u77e5\u8bc6\u5e93", + "VisitTheCommunity": "\u8bbf\u95ee\u793e\u533a", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "\u4ece\u767b\u9646\u9875\u9762\u9690\u85cf\u6b64\u7528\u6237", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "\u7981\u7528\u6b64\u7528\u6237", + "OptionDisableUserHelp": "\u5982\u679c\u7981\u7528\u8be5\u7528\u6237\uff0c\u670d\u52a1\u5668\u5c06\u4e0d\u5141\u8bb8\u8be5\u7528\u6237\u8fde\u63a5\u3002\u73b0\u6709\u7684\u8fde\u63a5\u5c06\u88ab\u7ec8\u6b62\u3002", + "HeaderAdvancedControl": "\u9ad8\u7ea7\u63a7\u5236", + "LabelName": "\u540d\u5b57\uff1a", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "\u8fd0\u884c\u6b64\u7528\u6237\u7ba1\u7406\u670d\u52a1\u5668", + "HeaderFeatureAccess": "\u53ef\u4f7f\u7528\u7684\u529f\u80fd", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "\u7f3a\u5c11Tmdb \u7f16\u53f7", + "OptionIsHD": "HD\u9ad8\u6e05", "OptionIsSD": "SD\u6807\u6e05", - "ButtonQuickStartGuide": "\u5feb\u901f\u5165\u95e8\u6307\u5357", - "TabProfiles": "\u914d\u7f6e", - "OptionMissingOverview": "\u7f3a\u5c11\u6982\u8ff0", "OptionMetascore": "\u8bc4\u5206", - "HeaderSyncJobInfo": "\u540c\u6b65\u4f5c\u4e1a", - "TabSecurity": "\u5b89\u5168\u6027", - "HeaderVideo": "\u89c6\u9891", - "LabelSkipped": "\u8df3\u8fc7", - "OptionFileMetadataYearMismatch": "\u6587\u4ef6\/\u5a92\u4f53\u8d44\u6599\u5e74\u4efd\u4e0d\u5339\u914d", "ButtonSelect": "\u9009\u62e9", - "ButtonAddUser": "\u6dfb\u52a0\u7528\u6237", - "HeaderEpisodeOrganization": "\u5267\u96c6\u6574\u7406", - "TabGeneral": "\u4e00\u822c", "ButtonGroupVersions": "\u7248\u672c\u53f7", - "TabGuide": "\u6307\u5357", - "ButtonSave": "\u50a8\u5b58", - "TitleSupport": "\u652f\u6301", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "\u901a\u8fc7\u6350\u8d60\u83b7\u53d6Pismo File Mount\u7684\u4f7f\u7528\u6388\u6743\u3002", - "TabChannels": "\u9891\u9053", - "ButtonResetPassword": "\u91cd\u7f6e\u5bc6\u7801", - "LabelSeasonNumber": "\u591a\u5c11\u5b63\uff1a", - "TabLog": "\u65e5\u5fd7\u6587\u6863", + "TangibleSoftwareMessage": "\u901a\u8fc7\u6350\u8d60\u7684\u8bb8\u53ef\u8bc1\u4f7f\u7528Java \/ C\uff03\u8f6c\u6362\u5668\u5207\u5b9e\u53ef\u884c\u7684\u89e3\u51b3\u65b9\u6848\u3002", + "HeaderCredits": "\u5236\u4f5c\u4eba\u5458\u540d\u5355", "PleaseSupportOtherProduces": "\u8bf7\u652f\u6301\u6211\u4eec\u7684\u5176\u4ed6\u514d\u8d39\u4ea7\u54c1\uff1a", - "HeaderChannels": "\u9891\u9053", - "LabelNewPassword": "\u65b0\u5bc6\u7801\uff1a", - "LabelEpisodeNumber": "\u591a\u5c11\u96c6\uff1a", - "TabAbout": "\u5173\u4e8e", "VersionNumber": "\u7248\u672c {0}", - "TabRecordings": "\u5f55\u5236", - "LabelNewPasswordConfirm": "\u65b0\u5bc6\u7801\u786e\u8ba4\uff1a", - "LabelEndingEpisodeNumber": "\u6700\u540e\u4e00\u96c6\u6570\u5b57\uff1a", - "TabSupporterKey": "\u652f\u6301\u8005\u5e8f\u53f7", "TabPaths": "\u8def\u5f84", - "TabScheduled": "\u9884\u5b9a", - "HeaderCreatePassword": "\u521b\u5efa\u5bc6\u7801", - "LabelEndingEpisodeNumberHelp": "\u53ea\u9700\u8981\u591a\u96c6\u6587\u4ef6", - "TabBecomeSupporter": "\u6210\u4e3a\u652f\u6301\u8005", "TabServer": "\u670d\u52a1\u5668", - "TabSeries": "\u7535\u89c6\u5267", - "LabelCurrentPassword": "\u5f53\u524d\u5bc6\u7801\u3002", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "\u8f6c\u7801", - "ButtonCancelRecording": "\u53d6\u6d88\u5f55\u5236", - "LabelMaxParentalRating": "\u6700\u5927\u5141\u8bb8\u7684\u5bb6\u957f\u8bc4\u7ea7\uff1a", - "LabelSupportAmount": "\u91d1\u989d\uff08\u7f8e\u5143\uff09", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "\u9ad8\u7ea7", - "HeaderPrePostPadding": "\u9884\u5148\/\u540e\u671f\u586b\u5145", - "MaxParentalRatingHelp": "\u9ad8\u7ea7\u522b\u5185\u5bb9\u5c06\u5bf9\u6b64\u7528\u6237\u9690\u85cf\u3002", - "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", - "SearchKnowledgeBase": "\u641c\u7d22\u77e5\u8bc6\u5e93", "LabelAutomaticUpdateLevel": "\u81ea\u52a8\u66f4\u65b0\u7b49\u7ea7", - "LabelPrePaddingMinutes": "\u9884\u5148\u5145\u586b\u5206\u949f\u6570\uff1a", - "LibraryAccessHelp": "\u9009\u62e9\u5171\u4eab\u7ed9\u6b64\u7528\u6237\u7684\u5a92\u4f53\u6587\u4ef6\u5939\u3002\u7ba1\u7406\u5458\u80fd\u4f7f\u7528\u5a92\u4f53\u8d44\u6599\u7ba1\u7406\u5668\u6765\u7f16\u8f91\u6240\u6709\u6587\u4ef6\u5939\u3002", - "ButtonEnterSupporterKey": "\u8f93\u5165\u652f\u6301\u8005\u5e8f\u53f7", - "VisitTheCommunity": "\u8bbf\u95ee\u793e\u533a", + "OptionRelease": "\u5b98\u65b9\u6b63\u5f0f\u7248", + "OptionBeta": "\u6d4b\u8bd5\u7248", + "OptionDev": "\u5f00\u53d1\u7248\uff08\u4e0d\u7a33\u5b9a\uff09", "LabelAllowServerAutoRestart": "\u5141\u8bb8\u670d\u52a1\u5668\u81ea\u52a8\u91cd\u542f\u6765\u5b89\u88c5\u66f4\u65b0", - "OptionPrePaddingRequired": "\u5f55\u5236\u9700\u8981\u9884\u5148\u5145\u586b\u3002", - "OptionNoSubtitles": "\u65e0\u5b57\u5e55", - "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", "LabelAllowServerAutoRestartHelp": "\u8be5\u670d\u52a1\u5668\u4ec5\u4f1a\u5728\u7a7a\u95f2\u548c\u6ca1\u6709\u6d3b\u52a8\u7528\u6237\u7684\u671f\u95f4\u91cd\u65b0\u542f\u52a8\u3002", - "LabelPostPaddingMinutes": "\u540e\u671f\u586b\u5145\u5206\u949f\u6570\uff1a", - "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", "LabelEnableDebugLogging": "\u542f\u7528\u8c03\u8bd5\u65e5\u5fd7", - "OptionPostPaddingRequired": "\u5f55\u5236\u9700\u8981\u540e\u671f\u586b\u5145\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", - "OptionHideUser": "\u4ece\u767b\u9646\u9875\u9762\u9690\u85cf\u6b64\u7528\u6237", "LabelRunServerAtStartup": "\u5f00\u673a\u542f\u52a8\u670d\u52a1\u5668", - "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e", - "ButtonNew": "\u65b0\u589e", - "OptionEnableEpisodeOrganization": "\u542f\u7528\u65b0\u5267\u96c6\u6574\u7406", - "OptionDisableUser": "\u7981\u7528\u6b64\u7528\u6237", "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", - "HeaderUpcomingTV": "\u5373\u5c06\u63a8\u51fa\u7684\u7535\u89c6\u8282\u76ee", - "TabMetadata": "\u5a92\u4f53\u8d44\u6599", - "LabelWatchFolder": "\u76d1\u63a7\u6587\u4ef6\u5939\uff1a", - "OptionDisableUserHelp": "\u5982\u679c\u7981\u7528\u8be5\u7528\u6237\uff0c\u670d\u52a1\u5668\u5c06\u4e0d\u5141\u8bb8\u8be5\u7528\u6237\u8fde\u63a5\u3002\u73b0\u6709\u7684\u8fde\u63a5\u5c06\u88ab\u7ec8\u6b62\u3002", "ButtonSelectDirectory": "\u9009\u62e9\u76ee\u5f55", - "TabStatus": "\u72b6\u6001", - "TabImages": "\u56fe\u50cf", - "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", - "HeaderAdvancedControl": "\u9ad8\u7ea7\u63a7\u5236", "LabelCustomPaths": "\u81ea\u5b9a\u4e49\u6240\u9700\u7684\u8def\u5f84\uff0c\u5982\u679c\u5b57\u6bb5\u4e3a\u7a7a\u5219\u4f7f\u7528\u9ed8\u8ba4\u503c\u3002", - "TabSettings": "\u8bbe\u7f6e", - "TabCollectionTitles": "\u6807\u9898", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "\u67e5\u770b\u8ba1\u5212\u4efb\u52a1", - "LabelName": "\u540d\u5b57\uff1a", "LabelCachePath": "\u7f13\u5b58\u8def\u5f84\uff1a", - "ButtonRefreshGuideData": "\u5237\u65b0\u6307\u5357\u6570\u636e", - "LabelMinFileSizeForOrganize": "\u6700\u5c0f\u6587\u4ef6\u5927\u5c0f\uff08MB\uff09\uff1a", - "OptionAllowUserToManageServer": "\u8fd0\u884c\u6b64\u7528\u6237\u7ba1\u7406\u670d\u52a1\u5668", "LabelCachePathHelp": "\u81ea\u5b9a\u4e49\u670d\u52a1\u5668\u7f13\u5b58\u6587\u4ef6\u4f4d\u7f6e\uff0c\u4f8b\u5982\u56fe\u7247\u4f4d\u7f6e\u3002", - "OptionPriority": "\u4f18\u5148", - "ButtonRemove": "\u79fb\u9664", - "LabelMinFileSizeForOrganizeHelp": "\u5ffd\u7565\u5c0f\u4e8e\u6b64\u5927\u5c0f\u7684\u6587\u4ef6\u3002", - "HeaderFeatureAccess": "\u53ef\u4f7f\u7528\u7684\u529f\u80fd", "LabelImagesByNamePath": "\u6309\u540d\u79f0\u5f52\u7c7b\u7684\u56fe\u7247\u8def\u5f84\uff1a", - "OptionRecordOnAllChannels": "Record on all channels", - "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", - "TabAccess": "\u8bbf\u95ee", - "LabelSeasonFolderPattern": "\u5b63\u6587\u4ef6\u5939\u6a21\u5f0f\uff1a", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "\u6dfb\u52a0\u6807\u9898", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelMetadataDownloadLanguage": "\u9996\u9009\u4e0b\u8f7d\u8bed\u8a00\uff1a", + "ButtonAutoScroll": "\u81ea\u52a8\u6eda\u52a8", + "LabelImageSavingConvention": "\u56fe\u7247\u4fdd\u5b58\u547d\u540d\u89c4\u5219", + "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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": "\u5237\u65b0", + "ButtonAdvancedRefresh": "\u9ad8\u7ea7\u5237\u65b0", + "OptionPriority": "\u4f18\u5148", + "OptionRecordOnAllChannels": "Record on all channels", + "OptionRecordAnytime": "Record at any time", "OptionRecordOnlyNewEpisodes": "\u53ea\u5f55\u5236\u65b0\u5267\u96c6", + "HeaderRepeatingOptions": "Repeating Options", + "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", + "OptionAutomatic": "\u81ea\u52a8", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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": "\u64ad\u653e\u5668\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": "\u9884\u544a\u7247", + "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", + "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", - "OptionAllowDeleteLibraryContent": "Allow media deletion", - "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", - "HeaderDays": "\u5929", "LabelEnableDlnaPlayToHelp": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "\u4e34\u65f6\u89e3\u7801\u8def\u5f84\uff1a", - "HeaderActiveRecordings": "\u6b63\u5728\u5f55\u5236\u7684\u8282\u76ee", "LabelEnableDlnaDebugLogging": "\u542f\u7528DLNA\u9664\u9519\u65e5\u5fd7", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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", - "HeaderLatestRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee", "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", - "TabBasics": "\u57fa\u7840", - "HeaderAllRecordings": "\u6240\u6709\u5f55\u5236\u7684\u8282\u76ee", "LabelEnableDlnaClientDiscoveryInterval": "\u5ba2\u6237\u7aef\u641c\u5bfb\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09", - "LabelEnterConnectUserName": "\u7528\u6237\u540d\u6216\u7535\u5b50\u90ae\u4ef6\uff1a", - "TabTV": "\u7535\u89c6", - "LabelService": "\u670d\u52a1\uff1a", - "ButtonPlay": "\u64ad\u653e", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "\u6e38\u620f", - "LabelStatus": "\u72b6\u6001\uff1a", - "ButtonEdit": "\u7f16\u8f91", "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u4e49\u914d\u7f6e", - "TabMusic": "\u97f3\u4e50", - "LabelVersion": "\u7248\u672c\uff1a", - "ButtonRecord": "\u5f55\u5236", "HeaderSystemDlnaProfiles": "\u7cfb\u7edf\u914d\u7f6e", - "TabOthers": "\u5176\u4ed6", - "LabelLastResult": "\u6700\u7ec8\u7ed3\u679c\uff1a", - "ButtonDelete": "\u5220\u9664", "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", - "HeaderExtractChapterImagesFor": "\u4ece\u9009\u62e9\u7ae0\u8282\u4e2d\u63d0\u53d6\u56fe\u7247\uff1a", - "OptionRecordSeries": "\u5f55\u5236\u7535\u89c6\u5267", "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", - "OptionMovies": "\u7535\u5f71", - "HeaderDetails": "\u8be6\u7ec6\u8d44\u6599", "TitleDashboard": "\u63a7\u5236\u53f0", - "OptionEpisodes": "\u5267\u96c6", "TabHome": "\u9996\u9875", - "OptionOtherVideos": "\u5176\u4ed6\u89c6\u9891", "TabInfo": "\u4fe1\u606f", - "TitleMetadata": "\u5a92\u4f53\u8d44\u6599", "HeaderLinks": "\u94fe\u63a5", "HeaderSystemPaths": "\u7cfb\u7edf\u8def\u5f84", - "LabelAutomaticUpdatesTmdb": "\u542f\u7528\u4eceTheMovieDB.org\u81ea\u52a8\u66f4\u65b0", "LinkCommunity": "\u793e\u533a", - "LabelAutomaticUpdatesTvdb": "\u542f\u7528\u4eceTheTVDB.com\u81ea\u52a8\u66f4\u65b0", "LinkGithub": "Github", - "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", + "LinkApi": "Api", "LinkApiDocumentation": "Api \u6587\u6863", - "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", "LabelFriendlyServerName": "\u597d\u8bb0\u7684\u670d\u52a1\u5668\u540d\u79f0\uff1a", - "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", - "OptionFolderSort": "\u6587\u4ef6\u5939", "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", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "\u80cc\u666f", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "\u9996\u9009\u4e0b\u8f7d\u8bed\u8a00\uff1a", - "TitleLiveTV": "\u7535\u89c6\u76f4\u64ad", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "\u81ea\u52a8\u6eda\u52a8", - "LabelNumberOfGuideDays": "\u4e0b\u8f7d\u51e0\u5929\u7684\u8282\u76ee\u6307\u5357\uff1a", "LabelReadHowYouCanContribute": "\u9605\u8bfb\u5173\u4e8e\u5982\u4f55\u4e3aMedia Browser\u8d21\u732e\u529b\u91cf\u3002", + "HeaderNewCollection": "\u65b0\u5408\u96c6", + "ButtonSubmit": "\u63d0\u4ea4", + "ButtonCreate": "\u521b\u5efa", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "External WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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": "\u5931\u8d25", + "LabelSkipped": "\u8df3\u8fc7", + "HeaderEpisodeOrganization": "\u5267\u96c6\u6574\u7406", + "LabelSeries": "\u7535\u89c6\u5267\uff1a", + "LabelEndingEpisodeNumber": "\u6700\u540e\u4e00\u96c6\u6570\u5b57\uff1a", + "LabelEndingEpisodeNumberHelp": "\u53ea\u9700\u8981\u591a\u96c6\u6587\u4ef6", + "HeaderSupportTheTeam": "Support the Emby Team", + "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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "\u8fd0\u884c\u7684\u4efb\u52a1", + "HeaderActiveDevices": "\u6d3b\u52a8\u7684\u8bbe\u5907", + "HeaderPendingInstallations": "\u7b49\u5f85\u5b89\u88c5", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "\u73b0\u5728\u91cd\u542f", - "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", - "ButtonOptions": "\u9009\u9879", - "NotificationOptionApplicationUpdateInstalled": "\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0\u5df2\u5b89\u88c5", "ButtonRestart": "\u91cd\u542f", - "LabelChannelDownloadPath": "\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\u8def\u5f84\uff1a", - "NotificationOptionPluginUpdateInstalled": "\u63d2\u4ef6\u66f4\u65b0\u5df2\u5b89\u88c5", "ButtonShutdown": "\u5173\u673a", - "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", - "NotificationOptionPluginInstalled": "\u63d2\u4ef6\u5df2\u5b89\u88c5", "ButtonUpdateNow": "\u73b0\u5728\u66f4\u65b0", - "LabelChannelDownloadAge": "\u8fc7\u591a\u4e45\u5220\u9664\u5185\u5bb9: (\u5929\u6570)", - "NotificationOptionPluginUninstalled": "\u63d2\u4ef6\u5df2\u5378\u8f7d", + "TabHosting": "Hosting", "PleaseUpdateManually": "\u8bf7\u5173\u95ed\u670d\u52a1\u5668\u5e76\u624b\u52a8\u66f4\u65b0\u3002", - "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", - "NotificationOptionTaskFailed": "\u8ba1\u5212\u4efb\u52a1\u5931\u8d25", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "\u5728\u63d2\u4ef6\u76ee\u5f55\u91cc\u5b89\u88c5\u9891\u9053\uff0c\u4f8b\u5982\uff1aTrailers \u548c Vimeo", - "NotificationOptionInstallationFailed": "\u5b89\u88c5\u5931\u8d25", "ServerUpToDate": "Emby Server is up to date", + "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": "\u8f6c\u79fb\u5e8f\u5217\u53f7", + "LabelOldSupporterKey": "\u65e7\u7684\u652f\u6301\u8005\u5e8f\u53f7", + "LabelNewSupporterKey": "\u65b0\u7684\u652f\u6301\u8005\u5e8f\u53f7", + "HeaderMultipleKeyLinking": "\u8f6c\u79fb\u5230\u65b0\u5e8f\u5217\u53f7", + "MultipleKeyLinkingHelp": "\u5982\u679c\u4f60\u6536\u5230\u65b0\u7684\u652f\u6301\u8005\u5e8f\u5217\u53f7\uff0c\u4f7f\u7528\u6b64\u529f\u80fd\u53ef\u4ee5\u628a\u4f60\u65e7\u5e8f\u5217\u53f7\u7684\u6ce8\u518c\u4fe1\u606f\u8f6c\u79fb\u5230\u65b0\u5e8f\u5217\u53f7\u4e0a\u3002", + "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", + "MessageInvalidKey": "\u652f\u6301\u8005\u5e8f\u53f7\u9519\u8bef\u6216\u4e0d\u5b58\u5728\u3002", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", + "HeaderDisplaySettings": "\u663e\u793a\u8bbe\u7f6e", + "TabPlayTo": "\u64ad\u653e\u5230", + "LabelEnableDlnaServer": "\u542f\u7528Dlna\u670d\u52a1\u5668", + "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", + "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", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", + "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", - "LabelComponentsUpdated": "\u4e0b\u9762\u7684\u7ec4\u4ef6\u5df2\u5b89\u88c5\u6216\u66f4\u65b0\uff1a", + "CategoryApplication": "\u5e94\u7528\u7a0b\u5e8f", + "CategoryPlugin": "\u63d2\u4ef6", "LabelMessageTitle": "\u6d88\u606f\u6807\u9898\uff1a", - "ButtonNext": "\u4e0b\u4e00\u4e2a", - "MessagePleaseRestartServerToFinishUpdating": "\u8bf7\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668\u6765\u5b8c\u6210\u5e94\u7528\u66f4\u65b0\u3002", "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": "\u5207\u6362\u5168\u5c4f", + "ButtonScenes": "\u573a\u666f", + "ButtonSubtitles": "\u5b57\u5e55", + "ButtonAudioTracks": "\u97f3\u8f68", + "ButtonPreviousTrack": "\u4e0a\u4e00\u97f3\u8f68", + "ButtonNextTrack": "\u4e0b\u4e00\u97f3\u8f68", + "ButtonStop": "\u505c\u6b62", + "ButtonPause": "\u6682\u505c", + "ButtonNext": "\u4e0b\u4e00\u4e2a", "ButtonPrevious": "\u4e0a\u4e00\u4e2a", - "LabelSkipIfGraphicalSubsPresent": "\u5982\u679c\u89c6\u9891\u5df2\u7ecf\u5305\u542b\u56fe\u5f62\u5b57\u5e55\u5219\u8df3\u8fc7", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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", - "LabelSkipIfAudioTrackPresent": "\u5982\u679c\u9ed8\u8ba4\u97f3\u8f68\u7684\u8bed\u8a00\u548c\u4e0b\u8f7d\u8bed\u8a00\u4e00\u6837\u5219\u8df3\u8fc7", "LabelProfileContainersHelp": "\u4ee5\u9017\u53f7\u5206\u9694\u3002\u7559\u7a7a\u5219\u9002\u7528\u4e8e\u6240\u6709\u5a92\u4f53\u8f7d\u4f53\u3002", - "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", "HeaderResponseProfile": "\u54cd\u5e94\u914d\u7f6e", "LabelType": "\u7c7b\u578b\uff1a", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "\u89d2\u8272\uff1a", + "LabelPersonRoleHelp": "\u89d2\u8272\u7684\u4f5c\u7528\u662f\u4e00\u822c\u53ea\u9002\u7528\u4e8e\u6f14\u5458\u3002", "LabelProfileContainer": "\u5a92\u4f53\u8f7d\u4f53\uff1a", "LabelProfileVideoCodecs": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a", "LabelProfileCodecs": "\u7f16\u89e3\u7801\u5668\uff1a", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "\u76f4\u63a5\u64ad\u653e\u914d\u7f6e", - "ButtonClose": "\u5173\u95ed", - "TabView": "\u89c6\u56fe", - "TabSort": "\u6392\u5e8f", "HeaderTranscodingProfile": "\u8f6c\u7801\u914d\u7f6e", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "\u6ca1\u6709", - "TabFilter": "\u7b5b\u9009", - "HeaderLiveTv": "\u7535\u89c6\u76f4\u64ad", - "ButtonView": "\u89c6\u56fe", "HeaderCodecProfile": "\u7f16\u89e3\u7801\u5668\u914d\u7f6e", - "HeaderReports": "\u62a5\u544a", - "LabelPageSize": "\u9879\u76ee\u5927\u5c0f\uff1a", "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", - "HeaderMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406", - "LabelView": "\u89c6\u56fe\uff1a", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "\u504f\u597d", "HeaderContainerProfile": "\u5a92\u4f53\u8f7d\u4f53\u914d\u7f6e", - "MessageLoadingChannels": "\u9891\u9053\u5185\u5bb9\u52a0\u8f7d\u4e2d......", - "ButtonMarkRead": "\u6807\u8bb0\u5df2\u8bfb", "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", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "\u9ed8\u8ba4", - "OptionCommunityMostWatchedSort": "\u6700\u53d7\u77a9\u76ee", "OptionProfileVideo": "\u89c6\u9891", - "NotificationOptionVideoPlaybackStopped": "\u89c6\u9891\u64ad\u653e\u505c\u6b62", "OptionProfileAudio": "\u97f3\u9891", - "HeaderMyViews": "\u6211\u7684\u754c\u9762", "OptionProfileVideoAudio": "\u89c6\u9891\u97f3\u9891", - "NotificationOptionAudioPlaybackStopped": "\u97f3\u9891\u64ad\u653e\u505c\u6b62", - "ButtonVolumeUp": "\u52a0\u5927\u97f3\u91cf", - "OptionLatestTvRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee", - "NotificationOptionGamePlaybackStopped": "\u6e38\u620f\u505c\u6b62", - "ButtonVolumeDown": "\u964d\u4f4e\u97f3\u91cf", - "ButtonMute": "\u9759\u97f3", "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", - "ButtonArrowUp": "\u4e0a", "OptionPlainStorageFolders": "\u663e\u793a\u6240\u6709\u6587\u4ef6\u5939\u4f5c\u4e3a\u4e00\u822c\u5b58\u50a8\u6587\u4ef6\u5939", - "LabelChapterName": "\u7ae0\u8282 {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "\u4e0b", "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", - "HeaderNewApiKey": "\u65b0Api \u5bc6\u94a5", - "ButtonArrowLeft": "\u5de6", "OptionPlainVideoItems": "\u663e\u793a\u6240\u6709\u89c6\u9891\u4e3a\u4e00\u822c\u89c6\u9891\u9879\u76ee", - "LabelAppName": "APP\u540d\u79f0", - "ButtonArrowRight": "\u53f3", - "LabelAppNameExample": "\u4f8b\u5982\uff1a Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "\u8fd4\u56de", "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", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "\u8be6\u60c5", "LabelSupportedMediaTypes": "\u652f\u6301\u7684\u5a92\u4f53\u7c7b\u578b\uff1a", - "ButtonPageUp": "\u4e0a\u4e00\u9875", "TabIdentification": "\u8bc6\u522b", - "ButtonPageDown": "\u4e0b\u4e00\u9875", + "HeaderIdentification": "\u8eab\u4efd\u8bc6\u522b", "TabDirectPlay": "\u76f4\u63a5\u64ad\u653e", - "PageAbbreviation": "\u9875\u9762", "TabContainers": "\u5a92\u4f53\u8f7d\u4f53", - "ButtonHome": "\u9996\u9875", "TabCodecs": "\u7f16\u89e3\u7801\u5668", - "LabelChannelDownloadSizeLimitHelpText": "\u9650\u5236\u9891\u9053\u4e0b\u8f7d\u6587\u4ef6\u5939\u7684\u5927\u5c0f\u3002", - "ButtonSettings": "\u8bbe\u7f6e", "TabResponses": "\u54cd\u5e94", - "ButtonTakeScreenshot": "\u5c4f\u5e55\u622a\u56fe", "HeaderProfileInformation": "\u914d\u7f6e\u4fe1\u606f", - "ButtonLetterUp": "\u4e0a\u4e00\u5b57\u6bcd", - "ButtonLetterDown": "\u4e0b\u4e00\u5b57\u6bcd", "LabelEmbedAlbumArtDidl": "\u5728DIDL\u4e2d\u5d4c\u5165\u4e13\u8f91\u5c01\u9762", - "PageButtonAbbreviation": "\u9875\u9762\u6309\u952e", "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", - "LetterButtonAbbreviation": "\u5b57\u6bcd\u6309\u952e", - "PlaceholderUsername": "Username", - "TabNowPlaying": "\u73b0\u5728\u64ad\u653e", "LabelAlbumArtPN": "\u4e13\u8f91\u5c01\u9762PN \uff1a", - "TabNavigation": "\u5bfc\u822a", "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", - "ButtonFullscreen": "\u5207\u6362\u5168\u5c4f", "LabelAlbumArtMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u7684\u6700\u5927\u5206\u8fa8\u7387\u3002", - "HeaderDisplaySettings": "\u663e\u793a\u8bbe\u7f6e", - "ButtonAudioTracks": "\u97f3\u8f68", "LabelIconMaxWidth": "\u56fe\u6807\u6700\u5927\u5bbd\u5ea6\uff1a", - "TabPlayTo": "\u64ad\u653e\u5230", - "HeaderFeatures": "\u529f\u80fd", "LabelIconMaxWidthHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002", - "LabelEnableDlnaServer": "\u542f\u7528Dlna\u670d\u52a1\u5668", - "HeaderAdvanced": "\u9ad8\u7ea7", "LabelIconMaxHeight": "\u56fe\u6807\u6700\u5927\u9ad8\u5ea6\uff1a", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002", - "LabelEnableBlastAliveMessages": "\u7206\u53d1\u6d3b\u52a8\u4fe1\u53f7", "LabelIdentificationFieldHelp": "\u4e0d\u533a\u5206\u5927\u5c0f\u5199\u7684\u5b57\u7b26\u4e32\u6216\u6b63\u5219\u8868\u8fbe\u5f0f\u3002", - "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", - "CategoryApplication": "\u5e94\u7528\u7a0b\u5e8f", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "\u6d3b\u52a8\u4fe1\u53f7\u7684\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09", - "CategoryPlugin": "\u63d2\u4ef6", "LabelMaxBitrate": "\u6700\u5927\u6bd4\u7279\u7387\uff1a", - "LabelBlastMessageIntervalHelp": "\u786e\u5b9a\u7531\u670d\u52a1\u5668\u6d3b\u52a8\u4fe1\u53f7\u7684\u95f4\u9694\u79d2\u6570\u3002", - "NotificationOptionPluginError": "\u63d2\u4ef6\u5931\u8d25", "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", - "LabelDefaultUser": "\u9ed8\u8ba4\u7528\u6237\uff1a", + "LabelMaxStreamingBitrate": "\u6700\u5927\u5a92\u4f53\u6d41\u6bd4\u7279\u7387\uff1a", + "LabelMaxStreamingBitrateHelp": "\u8f6c\u6362\u5a92\u4f53\u6d41\u65f6\uff0c\u8bf7\u6307\u5b9a\u4e00\u4e2a\u6700\u5927\u6bd4\u7279\u7387\u3002", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "LabelMaxStaticBitrate": "\u6700\u5927\u540c\u6b65\u6bd4\u7279\u7387\uff1a", + "LabelMaxStaticBitrateHelp": "\u540c\u6b65\u7684\u9ad8\u54c1\u8d28\u7684\u5185\u5bb9\u65f6\uff0c\u8bf7\u6307\u5b9a\u4e00\u4e2a\u6700\u5927\u6bd4\u7279\u7387\u3002", + "LabelMusicStaticBitrate": "\u97f3\u4e50\u540c\u6b65\u6bd4\u7279\u7387\uff1a", + "LabelMusicStaticBitrateHelp": "\u8bf7\u6307\u5b9a\u4e00\u4e2a\u540c\u6b65\u97f3\u4e50\u65f6\u7684\u6700\u5927\u6bd4\u7279\u7387\u3002", + "LabelMusicStreamingTranscodingBitrate": "\u97f3\u4e50\u8f6c\u7801\u7684\u6bd4\u7279\u7387\uff1a", + "LabelMusicStreamingTranscodingBitrateHelp": "\u6307\u5b9a\u97f3\u4e50\u8f6c\u7801\u65f6\u7684\u6700\u5927\u6bd4\u7279\u7387", "OptionIgnoreTranscodeByteRangeRequests": "\u5ffd\u7565\u8f6c\u7801\u5b57\u8282\u8303\u56f4\u8bf7\u6c42", - "HeaderServerInformation": "Server Information", - "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", "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", - "ViewTypeMovies": "\u7535\u5f71", "LabelManufacturerUrl": "\u5382\u5546\u7f51\u5740", - "TabNextUp": "\u4e0b\u4e00\u4e2a", - "ViewTypeTvShows": "\u7535\u89c6", "LabelModelName": "\u578b\u53f7\u540d\u79f0", - "ViewTypeGames": "\u6e38\u620f", "LabelModelNumber": "\u578b\u53f7", - "ViewTypeMusic": "\u97f3\u4e50", "LabelModelDescription": "\u578b\u53f7\u63cf\u8ff0", - "LabelDisplayCollectionsViewHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u5355\u72ec\u7684\u89c6\u56fe\u6765\u663e\u793a\u60a8\u5df2\u7ecf\u521b\u5efa\u6216\u8bbf\u95ee\u7684\u5408\u96c6\u3002\u8981\u521b\u5efa\u5408\u96c6\uff0c\u8bf7\u5728\u4efb\u4e00\u7535\u5f71\u4e0a\u70b9\u51fb\u53f3\u952e\u5e76\u6309\u4f4f\uff0c\u7136\u540e\u9009\u62e9\u201c\u6dfb\u52a0\u5230\u5408\u96c6\u201d\u3002", - "ViewTypeBoxSets": "\u5408\u96c6", "LabelModelUrl": "\u578b\u53f7\u7f51\u5740", - "HeaderOtherDisplaySettings": "\u663e\u793a\u8bbe\u7f6e", "LabelSerialNumber": "\u5e8f\u5217\u53f7", "LabelDeviceDescription": "\u8bbe\u5907\u63cf\u8ff0", - "LabelSelectFolderGroups": "\u4ece\u4ee5\u4e0b\u6587\u4ef6\u5939\u89c6\u56fe\u81ea\u52a8\u5206\u7ec4\u5185\u5bb9\uff0c\u4f8b\u5982\u7535\u5f71\uff0c\u97f3\u4e50\u548c\u7535\u89c6\uff1a", "HeaderIdentificationCriteriaHelp": "\u81f3\u5c11\u8f93\u5165\u4e00\u4e2a\u8bc6\u522b\u6807\u51c6\u3002", - "LabelSelectFolderGroupsHelp": "\u672a\u9009\u4e2d\u7684\u6587\u4ef6\u5939\u5c06\u663e\u793a\u81ea\u5e26\u7684\u89c6\u56fe\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", - "ViewTypeLiveTvNowPlaying": "\u73b0\u5728\u64ad\u653e", "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", - "ViewTypeMusicFavorites": "\u6211\u7684\u6700\u7231", - "ViewTypeLatestGames": "\u6700\u65b0\u6e38\u620f", - "ViewTypeMusicSongs": "\u6b4c\u66f2", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "\u6700\u7231\u7684\u4e13\u8f91", - "ViewTypeRecentlyPlayedGames": "\u6700\u8fd1\u64ad\u653e", "LabelXDlnaCapHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X_DLNACAP\u5143\u7d20\u7684\u5185\u5bb9\u3002", - "ViewTypeMusicFavoriteArtists": "\u6700\u7231\u7684\u827a\u672f\u5bb6", - "ViewTypeGameFavorites": "\u6211\u7684\u6700\u7231", - "HeaderViewOrder": "\u67e5\u770b\u987a\u5e8f", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "\u6700\u7231\u7684\u6b4c\u66f2", - "HeaderHttpHeaders": "HTTP\u6807\u5934", - "ViewTypeGameSystems": "\u6e38\u620f\u7cfb\u7edf", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X-Dlna doc\u5143\u7d20\u7684\u5185\u5bb9\u3002", - "HeaderIdentificationHeader": "\u8eab\u4efd\u8ba4\u8bc1\u6807\u5934", - "ViewTypeGameGenres": "\u98ce\u683c", - "MessageNoChapterProviders": "\u5b89\u88c5\u4e00\u4e2a\u7ae0\u8282\u63d0\u4f9b\u8005\u7684\u63d2\u4ef6\uff0c\u4f8b\u5982ChapterDb\u3002\u4ee5\u4fbf\u542f\u7528\u989d\u5916\u7684\u7ae0\u8282\u9009\u9879\u3002", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "\u6570\u503c\uff1a", - "ViewTypeTvResume": "\u6062\u590d\u64ad\u653e", - "TabChapters": "\u7ae0\u8282", "LabelSonyAggregationFlagsHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684aggregationFlags\u5143\u7d20\u7684\u5185\u5bb9\u3002", - "ViewTypeMusicGenres": "\u98ce\u683c", - "LabelMatchType": "\u5339\u914d\u7684\u7c7b\u578b\uff1a", - "ViewTypeTvNextUp": "\u4e0b\u4e00\u4e2a", + "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": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", + "HeaderDownloadSubtitlesFor": "\u4e0b\u8f7d\u54ea\u4e00\u9879\u7684\u5b57\u5e55\uff1a", + "MessageNoChapterProviders": "\u5b89\u88c5\u4e00\u4e2a\u7ae0\u8282\u63d0\u4f9b\u8005\u7684\u63d2\u4ef6\uff0c\u4f8b\u5982ChapterDb\u3002\u4ee5\u4fbf\u542f\u7528\u989d\u5916\u7684\u7ae0\u8282\u9009\u9879\u3002", + "LabelSkipIfGraphicalSubsPresent": "\u5982\u679c\u89c6\u9891\u5df2\u7ecf\u5305\u542b\u56fe\u5f62\u5b57\u5e55\u5219\u8df3\u8fc7", + "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "TabSubtitles": "\u5b57\u5e55", + "TabChapters": "\u7ae0\u8282", "HeaderDownloadChaptersFor": "\u4e0b\u8f7d\u7ae0\u8282\u540d\u79f0\uff1a", + "LabelOpenSubtitlesUsername": "Open Subtitles\u7684\u7528\u6237\u540d\uff1a", + "LabelOpenSubtitlesPassword": "Open Subtitles\u7684\u5bc6\u7801\uff1a", + "HeaderChapterDownloadingHelp": "When Emby 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", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby Theater", + "LabelEpisodeNamePlain": "\u5267\u96c6\u540d\u79f0", + "LabelSeriesNamePlain": "\u7535\u89c6\u5267\u540d\u79f0", + "ValueSeriesNamePeriod": "\u7535\u89c6\u5267.\u540d\u79f0", + "ValueSeriesNameUnderscore": "\u7535\u89c6\u5267_\u540d\u79f0", + "ValueEpisodeNamePeriod": "\u5267\u96c6.\u540d\u79f0", + "ValueEpisodeNameUnderscore": "\u5267\u96c6_\u540d\u79f0", + "LabelSeasonNumberPlain": "\u591a\u5c11\u5b63", + "LabelEpisodeNumberPlain": "\u591a\u5c11\u96c6", + "LabelEndingEpisodeNumberPlain": "\u6700\u540e\u4e00\u96c6\u6570\u5b57", + "HeaderTypeText": "\u8f93\u5165\u6587\u672c", + "LabelTypeText": "\u6587\u672c", + "HeaderSearchForSubtitles": "\u641c\u7d22\u5b57\u5e55", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "\u641c\u7d22\u65e0\u7ed3\u679c", + "TabDisplay": "\u663e\u793a", + "TabLanguages": "\u8bed\u8a00", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "\u9009\u9879", + "HeaderIdentificationResult": "\u8bc6\u522b\u7ed3\u679c", + "LabelHomePageSection1": "\u9996\u9875\u7b2c1\u533a\uff1a", + "LabelHomePageSection2": "\u9996\u9875\u7b2c2\u533a\uff1a", + "LabelHomePageSection3": "\u9996\u9875\u7b2c3\u533a\uff1a", + "LabelHomePageSection4": "\u9996\u9875\u7b2c4\u533a\uff1a", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "\u6062\u590d\u64ad\u653e", + "OptionLatestMedia": "\u6700\u65b0\u5a92\u4f53", + "OptionLatestChannelMedia": "\u6700\u65b0\u9891\u9053\u9879\u76ee", + "HeaderLatestChannelItems": "\u6700\u65b0\u9891\u9053\u9879\u76ee", + "OptionNone": "\u6ca1\u6709", + "HeaderLiveTv": "\u7535\u89c6\u76f4\u64ad", + "HeaderReports": "\u62a5\u544a", + "HeaderMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "\u9891\u9053\u5185\u5bb9\u52a0\u8f7d\u4e2d......", + "MessageLoadingContent": "\u6b63\u5728\u8f7d\u5165\u5185\u5bb9....", + "ButtonMarkRead": "\u6807\u8bb0\u5df2\u8bfb", + "OptionDefaultSort": "\u9ed8\u8ba4", + "OptionCommunityMostWatchedSort": "\u6700\u53d7\u77a9\u76ee", + "TabNextUp": "\u4e0b\u4e00\u4e2a", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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\u8ba9\u4f60\u4eab\u53d7\u7535\u5f71\uff0c\u7cfb\u5217\uff0c\u76f8\u518c\uff0c\u4e66\u7c4d\u548c\u6e38\u620f\u4e2a\u6027\u5316\u7684\u5206\u7ec4\u3002\u5355\u51fb\u201c+\u201d\u6309\u94ae\u5f00\u59cb\u521b\u5efa\u5408\u96c6\u3002", + "MessageNoPlaylistsAvailable": "\u64ad\u653e\u5217\u8868\u5141\u8bb8\u60a8\u521b\u5efa\u4e00\u4e2a\u5185\u5bb9\u5217\u8868\u6765\u8fde\u7eed\u64ad\u653e\u3002\u5c06\u9879\u76ee\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868\uff0c\u53f3\u952e\u5355\u51fb\u6216\u70b9\u51fb\u5e76\u6309\u4f4f\uff0c\u7136\u540e\u9009\u62e9\u201c\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868\u201d\u3002", + "MessageNoPlaylistItemsAvailable": "\u64ad\u653e\u5217\u8868\u76ee\u524d\u662f\u7a7a\u7684\u3002", + "ButtonDismiss": "\u89e3\u6563", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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", + "ButtonOptions": "\u9009\u9879", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "\u7535\u5f71", + "ViewTypeTvShows": "\u7535\u89c6", + "ViewTypeGames": "\u6e38\u620f", + "ViewTypeMusic": "\u97f3\u4e50", + "ViewTypeMusicGenres": "\u98ce\u683c", "ViewTypeMusicArtists": "\u827a\u672f\u5bb6", - "OptionEquals": "\u7b49\u4e8e", + "ViewTypeBoxSets": "\u5408\u96c6", + "ViewTypeChannels": "\u9891\u9053", + "ViewTypeLiveTV": "\u7535\u89c6\u76f4\u64ad", + "ViewTypeLiveTvNowPlaying": "\u73b0\u5728\u64ad\u653e", + "ViewTypeLatestGames": "\u6700\u65b0\u6e38\u620f", + "ViewTypeRecentlyPlayedGames": "\u6700\u8fd1\u64ad\u653e", + "ViewTypeGameFavorites": "\u6211\u7684\u6700\u7231", + "ViewTypeGameSystems": "\u6e38\u620f\u7cfb\u7edf", + "ViewTypeGameGenres": "\u98ce\u683c", + "ViewTypeTvResume": "\u6062\u590d\u64ad\u653e", + "ViewTypeTvNextUp": "\u4e0b\u4e00\u4e2a", "ViewTypeTvLatest": "\u6700\u65b0", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "\u5a92\u4f53\u8f7d\u4f53", - "OptionRegex": "\u6b63\u5219\u8868\u8fbe\u5f0f", - "LabelTranscodingVideoCodec": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a", - "OptionSubstring": "\u5b50\u4e32", + "ViewTypeTvShowSeries": "\u7535\u89c6\u5267", "ViewTypeTvGenres": "\u98ce\u683c", - "LabelTranscodingVideoProfile": "\u89c6\u9891\u914d\u7f6e\uff1a", + "ViewTypeTvFavoriteSeries": "\u6700\u559c\u6b22\u7684\u7535\u89c6\u5267", + "ViewTypeTvFavoriteEpisodes": "\u6700\u559c\u6b22\u7684\u5267\u96c6", + "ViewTypeMovieResume": "\u6062\u590d\u64ad\u653e", + "ViewTypeMovieLatest": "\u6700\u65b0", + "ViewTypeMovieMovies": "\u7535\u5f71", + "ViewTypeMovieCollections": "\u5408\u96c6", + "ViewTypeMovieFavorites": "\u6536\u85cf\u5939", + "ViewTypeMovieGenres": "\u98ce\u683c", + "ViewTypeMusicLatest": "\u6700\u65b0", + "ViewTypeMusicPlaylists": "Playlists", + "ViewTypeMusicAlbums": "\u4e13\u8f91", + "ViewTypeMusicAlbumArtists": "\u4e13\u8f91\u827a\u672f\u5bb6", + "HeaderOtherDisplaySettings": "\u663e\u793a\u8bbe\u7f6e", + "ViewTypeMusicSongs": "\u6b4c\u66f2", + "ViewTypeMusicFavorites": "\u6211\u7684\u6700\u7231", + "ViewTypeMusicFavoriteAlbums": "\u6700\u7231\u7684\u4e13\u8f91", + "ViewTypeMusicFavoriteArtists": "\u6700\u7231\u7684\u827a\u672f\u5bb6", + "ViewTypeMusicFavoriteSongs": "\u6700\u7231\u7684\u6b4c\u66f2", + "HeaderMyViews": "\u6211\u7684\u754c\u9762", + "LabelSelectFolderGroups": "\u4ece\u4ee5\u4e0b\u6587\u4ef6\u5939\u89c6\u56fe\u81ea\u52a8\u5206\u7ec4\u5185\u5bb9\uff0c\u4f8b\u5982\u7535\u5f71\uff0c\u97f3\u4e50\u548c\u7535\u89c6\uff1a", + "LabelSelectFolderGroupsHelp": "\u672a\u9009\u4e2d\u7684\u6587\u4ef6\u5939\u5c06\u663e\u793a\u81ea\u5e26\u7684\u89c6\u56fe\u3002", + "OptionDisplayAdultContent": "\u663e\u793a\u6210\u4eba\u5185\u5bb9", + "OptionLibraryFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", + "TitleRemoteControl": "\u8fdc\u7a0b\u63a7\u5236", + "OptionLatestTvRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee", + "LabelProtocolInfo": "\u534f\u8bae\u4fe1\u606f\uff1a", + "LabelProtocolInfoHelp": "\u5f53\u54cd\u5e94\u6765\u81ea\u8bbe\u5907\u7684 GetProtocolInfo\uff08\u83b7\u53d6\u534f\u8bae\u4fe1\u606f\uff09\u8bf7\u6c42\u65f6\uff0c\u8be5\u503c\u5c06\u88ab\u4f7f\u7528\u3002", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", + "LabelKodiMetadataUser": "\u540c\u6b65\u7528\u6237\u7684\u89c2\u770b\u65e5\u671f\u5230nfo\u6587\u4ef6:", + "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", + "LabelKodiMetadataDateFormat": "\u53d1\u884c\u65e5\u671f\u683c\u5f0f\uff1a", + "LabelKodiMetadataDateFormatHelp": "Nfo\u7684\u6240\u6709\u65e5\u671f\u5c06\u4f7f\u7528\u8fd9\u79cd\u683c\u5f0f\u88ab\u8bfb\u53d6\u548c\u5199\u5165\u3002", + "LabelKodiMetadataSaveImagePaths": "\u4fdd\u5b58\u56fe\u50cf\u8def\u5f84\u5728NFO\u6587\u4ef6", + "LabelKodiMetadataSaveImagePathsHelp": "\u5982\u679c\u4f60\u7684\u56fe\u50cf\u6587\u4ef6\u540d\u4e0d\u7b26\u5408Kodi\u7684\u89c4\u8303\uff0c\u63a8\u8350\u4f7f\u7528\u3002", + "LabelKodiMetadataEnablePathSubstitution": "\u542f\u7528\u8def\u5f84\u66ff\u6362", + "LabelKodiMetadataEnablePathSubstitutionHelp": "\u5141\u8bb8\u56fe\u50cf\u7684\u8def\u5f84\u66ff\u6362\u4f7f\u7528\u670d\u52a1\u5668\u7684\u8def\u5f84\u66ff\u6362\u8bbe\u7f6e\u3002", + "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u67e5\u770b\u8def\u5f84\u66ff\u6362", + "LabelGroupChannelsIntoViews": "\u5728\u6211\u7684\u754c\u9762\u91cc\u76f4\u63a5\u663e\u793a\u4ee5\u4e0b\u9891\u9053\uff1a", + "LabelGroupChannelsIntoViewsHelp": "\u5982\u679c\u542f\u7528\uff0c\u8fd9\u4e9b\u9891\u9053\u5c06\u548c\u5176\u4ed6\u7684\u754c\u9762\u89c6\u56fe\u5e76\u5217\u663e\u793a\u3002\u5982\u679c\u7981\u7528\uff0c\u5b83\u4eec\u5c06\u88ab\u663e\u793a\u5728\u4e00\u4e2a\u5355\u72ec\u7684\u754c\u9762\u89c6\u56fe\u91cc\u3002", + "LabelDisplayCollectionsView": "\u663e\u793a\u5408\u96c6\u89c6\u56fe\u6765\u5448\u73b0\u7535\u5f71\u5408\u96c6", + "LabelDisplayCollectionsViewHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u5355\u72ec\u7684\u89c6\u56fe\u6765\u663e\u793a\u60a8\u5df2\u7ecf\u521b\u5efa\u6216\u8bbf\u95ee\u7684\u5408\u96c6\u3002\u8981\u521b\u5efa\u5408\u96c6\uff0c\u8bf7\u5728\u4efb\u4e00\u7535\u5f71\u4e0a\u70b9\u51fb\u53f3\u952e\u5e76\u6309\u4f4f\uff0c\u7136\u540e\u9009\u62e9\u201c\u6dfb\u52a0\u5230\u5408\u96c6\u201d\u3002", + "LabelKodiMetadataEnableExtraThumbs": "\u590d\u5236\u540c\u4eba\u753b\u5230extrathumbs\u6587\u4ef6\u5939", + "LabelKodiMetadataEnableExtraThumbsHelp": "\u4e3a\u4e86\u6700\u5927\u5316\u517c\u5bb9Kodi\u76ae\u80a4\uff0c\u4e0b\u8f7d\u7684\u56fe\u7247\u540c\u65f6\u50a8\u5b58\u5728 extrafanart \u548c extrathumbs \u6587\u4ef6\u5939\u3002", "TabServices": "\u670d\u52a1", - "LabelTranscodingAudioCodec": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a", - "ViewTypeMovieResume": "\u6062\u590d\u64ad\u653e", "TabLogs": "\u65e5\u5fd7", - "OptionEnableM2tsMode": "\u542f\u7528M2ts\u6a21\u5f0f", - "ViewTypeMovieLatest": "\u6700\u65b0", "HeaderServerLogFiles": "\u670d\u52a1\u5668\u65e5\u5fd7\u6587\u4ef6\uff1a", - "OptionEnableM2tsModeHelp": "\u5f53\u7f16\u7801\u4e3aMPEGTS\u542f\u7528M2TS\u6a21\u5f0f\u3002", - "ViewTypeMovieMovies": "\u7535\u5f71", "TabBranding": "\u54c1\u724c", - "OptionEstimateContentLength": "\u8f6c\u7801\u65f6\uff0c\u4f30\u8ba1\u5185\u5bb9\u957f\u5ea6", - "HeaderPassword": "\u5bc6\u7801", - "ViewTypeMovieCollections": "\u5408\u96c6", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "\u8f6c\u7801\u65f6\uff0c\u62a5\u544a\u670d\u52a1\u5668\u652f\u6301\u7684\u5b57\u8282\u67e5\u8be2", - "HeaderLocalAccess": "\u672c\u5730\u8bbf\u95ee", - "ViewTypeMovieFavorites": "\u6536\u85cf\u5939", "LabelLoginDisclaimer": "\u767b\u5f55\u58f0\u660e\uff1a", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u8fd9\u662f\u4e00\u4e9b\u8bbe\u5907\u5fc5\u9700\u7684\uff0c\u4e0d\u7528\u8d76\u65f6\u95f4\u3002", - "ViewTypeMovieGenres": "\u98ce\u683c", "LabelLoginDisclaimerHelp": "\u8fd9\u5c06\u5728\u767b\u5f55\u9875\u9762\u5e95\u90e8\u663e\u793a\u3002", - "ViewTypeMusicLatest": "\u6700\u65b0", "LabelAutomaticallyDonate": "\u6bcf\u6708\u81ea\u52a8\u6350\u8d60\u7684\u91d1\u989d", - "ViewTypeMusicAlbums": "\u4e13\u8f91", "LabelAutomaticallyDonateHelp": "\u4f60\u53ef\u4ee5\u901a\u8fc7\u4f60\u7684PayPal\u5e10\u6237\u968f\u65f6\u53d6\u6d88\u3002", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "\u4e13\u8f91\u827a\u672f\u5bb6", - "LabelDownMixAudioScale": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\uff1a", - "ButtonSync": "\u540c\u6b65", - "LabelPlayDefaultAudioTrack": "\u64ad\u653e\u9ed8\u8ba4\u97f3\u8f68\u65e0\u8bba\u662f\u4ec0\u4e48\u8bed\u8a00", - "LabelDownMixAudioScaleHelp": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\u3002\u8bbe\u7f6e\u4e3a1\uff0c\u5c06\u4fdd\u7559\u539f\u6765\u7684\u97f3\u91cf\u00b7\u3002", - "LabelHomePageSection4": "\u9996\u9875\u7b2c4\u533a\uff1a", - "HeaderChapters": "\u7ae0\u8282", - "LabelSubtitlePlaybackMode": "\u5b57\u5e55\u6a21\u5f0f\uff1a", - "HeaderDownloadPeopleMetadataForHelp": "\u542f\u7528\u989d\u5916\u9009\u9879\u5c06\u63d0\u4f9b\u66f4\u591a\u7684\u5c4f\u5e55\u4fe1\u606f\uff0c\u4f46\u4f1a\u5bfc\u81f4\u5a92\u4f53\u5e93\u626b\u63cf\u8f83\u6162\u3002", - "ButtonLinkKeys": "\u8f6c\u79fb\u5e8f\u5217\u53f7", - "OptionLatestChannelMedia": "\u6700\u65b0\u9891\u9053\u9879\u76ee", - "HeaderResumeSettings": "\u6062\u590d\u64ad\u653e\u8bbe\u7f6e", - "ViewTypeFolders": "\u6587\u4ef6\u5939", - "LabelOldSupporterKey": "\u65e7\u7684\u652f\u6301\u8005\u5e8f\u53f7", - "HeaderLatestChannelItems": "\u6700\u65b0\u9891\u9053\u9879\u76ee", - "LabelDisplayFoldersView": "\u663e\u793a\u4e00\u4e2a\u6587\u4ef6\u5939\u89c6\u56fe\u6765\u5448\u73b0\u5e73\u9762\u5a92\u4f53\u6587\u4ef6\u5939", - "LabelNewSupporterKey": "\u65b0\u7684\u652f\u6301\u8005\u5e8f\u53f7", - "TitleRemoteControl": "\u8fdc\u7a0b\u63a7\u5236", - "ViewTypeLiveTvRecordingGroups": "\u5f55\u5236", - "HeaderMultipleKeyLinking": "\u8f6c\u79fb\u5230\u65b0\u5e8f\u5217\u53f7", - "ViewTypeLiveTvChannels": "\u9891\u9053", - "MultipleKeyLinkingHelp": "\u5982\u679c\u4f60\u6536\u5230\u65b0\u7684\u652f\u6301\u8005\u5e8f\u5217\u53f7\uff0c\u4f7f\u7528\u6b64\u529f\u80fd\u53ef\u4ee5\u628a\u4f60\u65e7\u5e8f\u5217\u53f7\u7684\u6ce8\u518c\u4fe1\u606f\u8f6c\u79fb\u5230\u65b0\u5e8f\u5217\u53f7\u4e0a\u3002", - "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", - "TabControls": "\u63a7\u5236", - "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": "Enter your supporter key to start enjoying additional benefits the community has developed for Emby.", - "MessageInvalidKey": "\u652f\u6301\u8005\u5e8f\u53f7\u9519\u8bef\u6216\u4e0d\u5b58\u5728\u3002", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "\u9996\u9875", - "HeaderSettingsForThisDevice": "\u8bbe\u7f6e\u6b64\u8bbe\u5907", - "OptionMyMedia": "My media", - "OptionAllUsers": "\u6240\u6709\u7528\u6237", - "ButtonDismiss": "\u89e3\u6563", - "OptionAdminUsers": "\u7ba1\u7406\u5458", - "OptionDisplayAdultContent": "\u663e\u793a\u6210\u4eba\u5185\u5bb9", - "HeaderSearchForSubtitles": "\u641c\u7d22\u5b57\u5e55", - "OptionCustomUsers": "\u81ea\u5b9a\u4e49", - "ButtonMore": "\u66f4\u591a", - "MessageNoSubtitleSearchResultsFound": "\u641c\u7d22\u65e0\u7ed3\u679c", + "OptionList": "\u5217\u8868", + "TabDashboard": "\u63a7\u5236\u53f0", + "TitleServer": "\u670d\u52a1\u5668", + "LabelCache": "\u7f13\u5b58\uff1a", + "LabelLogs": "\u65e5\u5fd7\uff1a", + "LabelMetadata": "\u5a92\u4f53\u8d44\u6599\uff1a", + "LabelImagesByName": "\u6309\u540d\u79f0\u5206\u7c7b\u7684\u56fe\u7247\uff1a", + "LabelTranscodingTemporaryFiles": "\u7528\u4e8e\u8f6c\u7801\u7684\u4e34\u65f6\u6587\u4ef6\u5939\uff1a", "HeaderLatestMusic": "\u6700\u65b0\u97f3\u4e50", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "\u663e\u793a", "HeaderBranding": "\u54c1\u724c", - "TabLanguages": "\u8bed\u8a00", "HeaderApiKeys": "Api \u5bc6\u94a5", - "LabelGroupChannelsIntoViews": "\u5728\u6211\u7684\u754c\u9762\u91cc\u76f4\u63a5\u663e\u793a\u4ee5\u4e0b\u9891\u9053\uff1a", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "\u5982\u679c\u542f\u7528\uff0c\u8fd9\u4e9b\u9891\u9053\u5c06\u548c\u5176\u4ed6\u7684\u754c\u9762\u89c6\u56fe\u5e76\u5217\u663e\u793a\u3002\u5982\u679c\u7981\u7528\uff0c\u5b83\u4eec\u5c06\u88ab\u663e\u793a\u5728\u4e00\u4e2a\u5355\u72ec\u7684\u754c\u9762\u89c6\u56fe\u91cc\u3002", - "LabelEnableThemeSongs": "\u542f\u7528\u4e3b\u9898\u6b4c", "HeaderApiKey": "Api \u5bc6\u94a5", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "\u542f\u7528\u80cc\u666f\u56fe", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "\u4e0b\u8f7d\u54ea\u4e00\u9879\u7684\u5b57\u5e55\uff1a", - "LabelEnableThemeSongsHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u6d4f\u89c8\u5a92\u4f53\u5e93\u65f6\u4e3b\u9898\u6b4c\u5c06\u5728\u540e\u53f0\u64ad\u653e\u3002", "HeaderDevice": "\u8bbe\u5907", - "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", "HeaderUser": "\u7528\u6237", "HeaderDateIssued": "\u53d1\u5e03\u65e5\u671f", - "TabSubtitles": "\u5b57\u5e55", - "LabelOpenSubtitlesUsername": "Open Subtitles\u7684\u7528\u6237\u540d\uff1a", - "OptionAuto": "\u81ea\u52a8", - "LabelOpenSubtitlesPassword": "Open Subtitles\u7684\u5bc6\u7801\uff1a", - "OptionYes": "\u662f", - "OptionNo": "\u4e0d", - "LabelDownloadLanguages": "\u4e0b\u8f7d\u8bed\u8a00\uff1a", - "LabelHomePageSection1": "\u9996\u9875\u7b2c1\u533a\uff1a", - "ButtonRegister": "\u6ce8\u518c", - "LabelHomePageSection2": "\u9996\u9875\u7b2c2\u533a\uff1a", - "LabelHomePageSection3": "\u9996\u9875\u7b2c3\u533a\uff1a", - "OptionResumablemedia": "\u6062\u590d\u64ad\u653e", - "ViewTypeTvShowSeries": "\u7535\u89c6\u5267", - "OptionLatestMedia": "\u6700\u65b0\u5a92\u4f53", - "ViewTypeTvFavoriteSeries": "\u6700\u559c\u6b22\u7684\u7535\u89c6\u5267", - "ViewTypeTvFavoriteEpisodes": "\u6700\u559c\u6b22\u7684\u5267\u96c6", - "LabelEpisodeNamePlain": "\u5267\u96c6\u540d\u79f0", - "LabelSeriesNamePlain": "\u7535\u89c6\u5267\u540d\u79f0", - "LabelSeasonNumberPlain": "\u591a\u5c11\u5b63", - "LabelEpisodeNumberPlain": "\u591a\u5c11\u96c6", - "OptionLibraryFolders": "\u5a92\u4f53\u6587\u4ef6\u5939", - "LabelEndingEpisodeNumberPlain": "\u6700\u540e\u4e00\u96c6\u6570\u5b57", + "LabelChapterName": "\u7ae0\u8282 {0}", + "HeaderNewApiKey": "\u65b0Api \u5bc6\u94a5", + "LabelAppName": "APP\u540d\u79f0", + "LabelAppNameExample": "\u4f8b\u5982\uff1a Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "HeaderHttpHeaders": "HTTP\u6807\u5934", + "HeaderIdentificationHeader": "\u8eab\u4efd\u8ba4\u8bc1\u6807\u5934", + "LabelValue": "\u6570\u503c\uff1a", + "LabelMatchType": "\u5339\u914d\u7684\u7c7b\u578b\uff1a", + "OptionEquals": "\u7b49\u4e8e", + "OptionRegex": "\u6b63\u5219\u8868\u8fbe\u5f0f", + "OptionSubstring": "\u5b50\u4e32", + "TabView": "\u89c6\u56fe", + "TabSort": "\u6392\u5e8f", + "TabFilter": "\u7b5b\u9009", + "ButtonView": "\u89c6\u56fe", + "LabelPageSize": "\u9879\u76ee\u5927\u5c0f\uff1a", + "LabelPath": "\u8def\u5f84\uff1a", + "LabelView": "\u89c6\u56fe\uff1a", + "TabUsers": "\u7528\u6237", + "LabelSortName": "\u6392\u5e8f\u540d\u79f0\uff1a", + "LabelDateAdded": "\u52a0\u5165\u65e5\u671f\uff1a", + "HeaderFeatures": "\u529f\u80fd", + "HeaderAdvanced": "\u9ad8\u7ea7", + "ButtonSync": "\u540c\u6b65", + "TabScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", + "HeaderChapters": "\u7ae0\u8282", + "HeaderResumeSettings": "\u6062\u590d\u64ad\u653e\u8bbe\u7f6e", + "TabSync": "\u540c\u6b65", + "TitleUsers": "\u7528\u6237", + "LabelProtocol": "\u534f\u8bae\uff1a", + "OptionProtocolHttp": "Http", + "OptionProtocolHls": "Http \u76f4\u64ad\u6d41", + "LabelContext": "\u73af\u5883\uff1a", + "OptionContextStreaming": "\u5a92\u4f53\u6d41", + "OptionContextStatic": "\u540c\u6b65", + "ButtonAddToPlaylist": "\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868", + "TabPlaylists": "\u64ad\u653e\u5217\u8868", + "ButtonClose": "\u5173\u95ed", "LabelAllLanguages": "\u6240\u6709\u8bed\u8a00", "HeaderBrowseOnlineImages": "\u6d4f\u89c8\u5728\u7ebf\u56fe\u7247", "LabelSource": "\u6765\u6e90", @@ -939,509 +1067,388 @@ "LabelImage": "\u56fe\u7247\uff1a", "ButtonBrowseImages": "\u6d4f\u89c8\u56fe\u7247", "HeaderImages": "\u56fe\u7247", - "LabelReleaseDate": "\u53d1\u884c\u65e5\u671f\uff1a", "HeaderBackdrops": "\u80cc\u666f", - "HeaderOptions": "\u9009\u9879", - "LabelWeatherDisplayLocation": "\u5929\u6c14\u9884\u62a5\u663e\u793a\u4f4d\u7f6e\uff1a", - "TabUsers": "\u7528\u6237", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "\u7ed3\u675f\u65e5\u671f\uff1a", "HeaderScreenshots": "\u622a\u5c4f", - "HeaderIdentificationResult": "\u8bc6\u522b\u7ed3\u679c", - "LabelWeatherDisplayLocationHelp": "\u7f8e\u56fd\u90ae\u653f\u7f16\u7801\/\u57ce\u5e02\uff0c\u7701\uff0c\u56fd\u5bb6\/\u57ce\u5e02\uff0c\u56fd\u5bb6", - "LabelYear": "\u5e74\uff1a", "HeaderAddUpdateImage": "\u6dfb\u52a0\/\u66f4\u65b0 \u56fe\u7247", - "LabelWeatherDisplayUnit": "\u6e29\u5ea6\u663e\u793a\u5355\u4f4d\uff1a", "LabelJpgPngOnly": "\u4ec5\u9650 JPG\/PNG \u683c\u5f0f\u56fe\u7247", - "OptionCelsius": "\u6444\u6c0f\u5ea6", - "TabAppSettings": "App Settings", "LabelImageType": "\u56fe\u7247\u7c7b\u578b\uff1a", - "HeaderActivity": "\u6d3b\u52a8", - "LabelChannelDownloadSizeLimit": "\u4e0b\u8f7d\u5927\u5c0f\u9650\u5236(GB)\uff1a", - "OptionFahrenheit": "\u534e\u6c0f\u5ea6", "OptionPrimary": "\u5c01\u9762\u56fe", - "ScheduledTaskStartedWithName": "{0} \u5f00\u59cb", - "MessageLoadingContent": "\u6b63\u5728\u8f7d\u5165\u5185\u5bb9....", - "HeaderRequireManualLogin": "\u9700\u8981\u624b\u5de5\u5f55\u5165\u7528\u6237\u540d\uff1a", "OptionArt": "\u827a\u672f\u56fe", - "ScheduledTaskCancelledWithName": "{0} \u88ab\u53d6\u6d88", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "\u7981\u7528\u5ba2\u6237\u7aef\u65f6\uff0c\u4f1a\u51fa\u73b0\u53ef\u89c6\u5316\u7528\u6237\u9009\u62e9\u767b\u5f55\u754c\u9762\u3002", "OptionBox": "\u5305\u88c5\u76d2\u6b63\u9762\u56fe", - "ScheduledTaskCompletedWithName": "{0} \u5df2\u5b8c\u6210", - "OptionOtherApps": "\u5176\u4ed6\u5e94\u7528\u7a0b\u5e8f", - "TabScheduledTasks": "\u8ba1\u5212\u4efb\u52a1", "OptionBoxRear": "\u5305\u88c5\u76d2\u80cc\u9762\u56fe", - "ScheduledTaskFailed": "\u8ba1\u5212\u4efb\u52a1\u5df2\u5b8c\u6210", - "OptionMobileApps": "\u624b\u673a\u5e94\u7528\u7a0b\u5e8f", "OptionDisc": "\u5149\u76d8", - "PluginInstalledWithName": "{0} \u5df2\u5b89\u88c5", "OptionIcon": "Icon", "OptionLogo": "\u6807\u5fd7", - "PluginUpdatedWithName": "{0} \u5df2\u66f4\u65b0", "OptionMenu": "\u83dc\u5355", - "PluginUninstalledWithName": "{0} \u5df2\u5378\u8f7d", "OptionScreenshot": "\u5c4f\u5e55\u622a\u56fe", - "ButtonScenes": "\u573a\u666f", - "ScheduledTaskFailedWithName": "{0} \u5931\u8d25", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "\u9501\u5b9a", - "ButtonSubtitles": "\u5b57\u5e55", - "ItemAddedWithName": "{0} \u5df2\u6dfb\u52a0\u5230\u5a92\u4f53\u5e93", "OptionUnidentified": "\u672a\u7ecf\u786e\u8ba4\u7684", - "ItemRemovedWithName": "{0} \u5df2\u4ece\u5a92\u4f53\u5e93\u4e2d\u79fb\u9664", "OptionMissingParentalRating": "\u7f3a\u5c11\u5bb6\u957f\u5206\u7ea7", - "HeaderCollections": "\u5408\u96c6", - "DeviceOnlineWithName": "{0} \u5df2\u8fde\u63a5", "OptionStub": "\u5b58\u6839", + "HeaderEpisodes": "Episodes:", + "OptionSeason0": "0\u5b63", + "LabelReport": "\u62a5\u544a\uff1a", + "OptionReportSongs": "\u6b4c\u66f2", + "OptionReportSeries": "\u7535\u89c6\u5267", + "OptionReportSeasons": "\u5b63", + "OptionReportTrailers": "\u9884\u544a\u7247", + "OptionReportMusicVideos": "\u97f3\u4e50\u89c6\u9891", + "OptionReportMovies": "\u7535\u5f71", + "OptionReportHomeVideos": "\u5bb6\u5ead\u89c6\u9891", + "OptionReportGames": "\u6e38\u620f", + "OptionReportEpisodes": "\u5267\u96c6", + "OptionReportCollections": "\u5408\u96c6", + "OptionReportBooks": "\u4e66\u7c4d", + "OptionReportArtists": "\u827a\u672f\u5bb6", + "OptionReportAlbums": "\u4e13\u8f91", + "OptionReportAdultVideos": "\u6210\u4eba\u89c6\u9891", + "HeaderActivity": "\u6d3b\u52a8", + "ScheduledTaskStartedWithName": "{0} \u5f00\u59cb", + "ScheduledTaskCancelledWithName": "{0} \u88ab\u53d6\u6d88", + "ScheduledTaskCompletedWithName": "{0} \u5df2\u5b8c\u6210", + "ScheduledTaskFailed": "\u8ba1\u5212\u4efb\u52a1\u5df2\u5b8c\u6210", + "PluginInstalledWithName": "{0} \u5df2\u5b89\u88c5", + "PluginUpdatedWithName": "{0} \u5df2\u66f4\u65b0", + "PluginUninstalledWithName": "{0} \u5df2\u5378\u8f7d", + "ScheduledTaskFailedWithName": "{0} \u5931\u8d25", + "ItemAddedWithName": "{0} \u5df2\u6dfb\u52a0\u5230\u5a92\u4f53\u5e93", + "ItemRemovedWithName": "{0} \u5df2\u4ece\u5a92\u4f53\u5e93\u4e2d\u79fb\u9664", + "DeviceOnlineWithName": "{0} \u5df2\u8fde\u63a5", "UserOnlineFromDevice": "{0} \u5728\u7ebf\uff0c\u6765\u81ea {1}", - "ButtonStop": "\u505c\u6b62", "DeviceOfflineWithName": "{0} \u5df2\u65ad\u5f00\u8fde\u63a5", - "OptionList": "\u5217\u8868", - "OptionSeason0": "0\u5b63", - "ButtonPause": "\u6682\u505c", "UserOfflineFromDevice": "{0} \u5df2\u4ece {1} \u65ad\u5f00\u8fde\u63a5", - "TabDashboard": "\u63a7\u5236\u53f0", - "LabelReport": "\u62a5\u544a\uff1a", "SubtitlesDownloadedForItem": "\u5df2\u4e3a {0} \u4e0b\u8f7d\u4e86\u5b57\u5e55", - "TitleServer": "\u670d\u52a1\u5668", - "OptionReportSongs": "\u6b4c\u66f2", "SubtitleDownloadFailureForItem": "\u4e3a {0} \u4e0b\u8f7d\u5b57\u5e55\u5931\u8d25", - "LabelCache": "\u7f13\u5b58\uff1a", - "OptionReportSeries": "\u7535\u89c6\u5267", "LabelRunningTimeValue": "\u8fd0\u884c\u65f6\u95f4\uff1a {0}", - "LabelLogs": "\u65e5\u5fd7\uff1a", - "OptionReportSeasons": "\u5b63", "LabelIpAddressValue": "Ip \u5730\u5740\uff1a {0}", - "LabelMetadata": "\u5a92\u4f53\u8d44\u6599\uff1a", - "OptionReportTrailers": "\u9884\u544a\u7247", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "\u7528\u6237\u914d\u7f6e\u5df2\u66f4\u65b0\u4e3a {0}", - "NotificationOptionNewLibraryContentMultiple": "\u65b0\u7684\u5185\u5bb9\u52a0\u5165\uff08\u591a\u4e2a\uff09", - "LabelImagesByName": "\u6309\u540d\u79f0\u5206\u7c7b\u7684\u56fe\u7247\uff1a", - "OptionReportMusicVideos": "\u97f3\u4e50\u89c6\u9891", "UserCreatedWithName": "\u7528\u6237 {0} \u5df2\u88ab\u521b\u5efa", - "HeaderSendMessage": "\u53d1\u9001\u6d88\u606f", - "LabelTranscodingTemporaryFiles": "\u7528\u4e8e\u8f6c\u7801\u7684\u4e34\u65f6\u6587\u4ef6\u5939\uff1a", - "OptionReportMovies": "\u7535\u5f71", "UserPasswordChangedWithName": "\u5df2\u4e3a\u7528\u6237 {0} \u66f4\u6539\u5bc6\u7801", - "ButtonSend": "\u53d1\u9001", - "OptionReportHomeVideos": "\u5bb6\u5ead\u89c6\u9891", "UserDeletedWithName": "\u7528\u6237 {0} \u5df2\u88ab\u5220\u9664", - "LabelMessageText": "\u6d88\u606f\u6587\u672c\uff1a", - "OptionReportGames": "\u6e38\u620f", "MessageServerConfigurationUpdated": "\u670d\u52a1\u5668\u914d\u7f6e\u5df2\u66f4\u65b0", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "\u5267\u96c6", - "ButtonPreviousTrack": "\u4e0a\u4e00\u97f3\u8f68", "MessageNamedServerConfigurationUpdatedWithValue": "\u670d\u52a1\u5668\u914d\u7f6e {0} \u90e8\u5206\u5df2\u66f4\u65b0", - "LabelKodiMetadataUser": "\u540c\u6b65\u7528\u6237\u7684\u89c2\u770b\u65e5\u671f\u5230nfo\u6587\u4ef6:", - "OptionReportCollections": "\u5408\u96c6", - "ButtonNextTrack": "\u4e0b\u4e00\u97f3\u8f68", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "\u4e66\u7c4d", - "HeaderServerSettings": "\u670d\u52a1\u5668\u8bbe\u7f6e", "AuthenticationSucceededWithUserName": "{0} \u6210\u529f\u88ab\u6388\u6743", - "LabelKodiMetadataDateFormat": "\u53d1\u884c\u65e5\u671f\u683c\u5f0f\uff1a", - "OptionReportArtists": "\u827a\u672f\u5bb6", "FailedLoginAttemptWithUserName": "\u5931\u8d25\u7684\u767b\u5f55\u5c1d\u8bd5\uff0c\u6765\u81ea {0}", - "LabelKodiMetadataDateFormatHelp": "Nfo\u7684\u6240\u6709\u65e5\u671f\u5c06\u4f7f\u7528\u8fd9\u79cd\u683c\u5f0f\u88ab\u8bfb\u53d6\u548c\u5199\u5165\u3002", - "ButtonAddToPlaylist": "\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868", - "OptionReportAlbums": "\u4e13\u8f91", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} \u5f00\u59cb\u64ad\u653e {1}", - "LabelKodiMetadataSaveImagePaths": "\u4fdd\u5b58\u56fe\u50cf\u8def\u5f84\u5728NFO\u6587\u4ef6", - "LabelDisplayCollectionsView": "\u663e\u793a\u5408\u96c6\u89c6\u56fe\u6765\u5448\u73b0\u7535\u5f71\u5408\u96c6", - "AdditionalNotificationServices": "\u6d4f\u89c8\u63d2\u4ef6\u76ee\u5f55\u5b89\u88c5\u989d\u5916\u7684\u901a\u77e5\u8bbf\u95ee\u3002", - "OptionReportAdultVideos": "\u6210\u4eba\u89c6\u9891", "UserStoppedPlayingItemWithValues": "{0} \u505c\u6b62\u64ad\u653e {1}", - "LabelKodiMetadataSaveImagePathsHelp": "\u5982\u679c\u4f60\u7684\u56fe\u50cf\u6587\u4ef6\u540d\u4e0d\u7b26\u5408Kodi\u7684\u89c4\u8303\uff0c\u63a8\u8350\u4f7f\u7528\u3002", "AppDeviceValues": "App\uff1a {0}\uff0c\u8bbe\u5907\uff1a {1}", - "LabelMaxStreamingBitrate": "\u6700\u5927\u5a92\u4f53\u6d41\u6bd4\u7279\u7387\uff1a", - "LabelKodiMetadataEnablePathSubstitution": "\u542f\u7528\u8def\u5f84\u66ff\u6362", - "LabelProtocolInfo": "\u534f\u8bae\u4fe1\u606f\uff1a", "ProviderValue": "\u63d0\u4f9b\u8005\uff1a {0}", + "LabelChannelDownloadSizeLimit": "\u4e0b\u8f7d\u5927\u5c0f\u9650\u5236(GB)\uff1a", + "LabelChannelDownloadSizeLimitHelpText": "\u9650\u5236\u9891\u9053\u4e0b\u8f7d\u6587\u4ef6\u5939\u7684\u5927\u5c0f\u3002", + "HeaderRecentActivity": "\u6700\u8fd1\u7684\u6d3b\u52a8", + "HeaderPeople": "\u4eba\u7269", + "HeaderDownloadPeopleMetadataFor": "\u4e0b\u8f7d\u4f20\u8bb0\u548c\u56fe\u50cf\uff1a", + "OptionComposers": "\u4f5c\u66f2\u5bb6", + "OptionOthers": "\u5176\u4ed6", + "HeaderDownloadPeopleMetadataForHelp": "\u542f\u7528\u989d\u5916\u9009\u9879\u5c06\u63d0\u4f9b\u66f4\u591a\u7684\u5c4f\u5e55\u4fe1\u606f\uff0c\u4f46\u4f1a\u5bfc\u81f4\u5a92\u4f53\u5e93\u626b\u63cf\u8f83\u6162\u3002", + "ViewTypeFolders": "\u6587\u4ef6\u5939", + "LabelDisplayFoldersView": "\u663e\u793a\u4e00\u4e2a\u6587\u4ef6\u5939\u89c6\u56fe\u6765\u5448\u73b0\u5e73\u9762\u5a92\u4f53\u6587\u4ef6\u5939", + "ViewTypeLiveTvRecordingGroups": "\u5f55\u5236", + "ViewTypeLiveTvChannels": "\u9891\u9053", "LabelEasyPinCode": "\u7b80\u6613PIN\u7801\uff1a", - "LabelMaxStreamingBitrateHelp": "\u8f6c\u6362\u5a92\u4f53\u6d41\u65f6\uff0c\u8bf7\u6307\u5b9a\u4e00\u4e2a\u6700\u5927\u6bd4\u7279\u7387\u3002", - "LabelKodiMetadataEnablePathSubstitutionHelp": "\u5141\u8bb8\u56fe\u50cf\u7684\u8def\u5f84\u66ff\u6362\u4f7f\u7528\u670d\u52a1\u5668\u7684\u8def\u5f84\u66ff\u6362\u8bbe\u7f6e\u3002", - "LabelProtocolInfoHelp": "\u5f53\u54cd\u5e94\u6765\u81ea\u8bbe\u5907\u7684 GetProtocolInfo\uff08\u83b7\u53d6\u534f\u8bae\u4fe1\u606f\uff09\u8bf7\u6c42\u65f6\uff0c\u8be5\u503c\u5c06\u88ab\u4f7f\u7528\u3002", - "LabelMaxStaticBitrate": "\u6700\u5927\u540c\u6b65\u6bd4\u7279\u7387\uff1a", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u67e5\u770b\u8def\u5f84\u66ff\u6362", - "MessageNoPlaylistsAvailable": "\u64ad\u653e\u5217\u8868\u5141\u8bb8\u60a8\u521b\u5efa\u4e00\u4e2a\u5185\u5bb9\u5217\u8868\u6765\u8fde\u7eed\u64ad\u653e\u3002\u5c06\u9879\u76ee\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868\uff0c\u53f3\u952e\u5355\u51fb\u6216\u70b9\u51fb\u5e76\u6309\u4f4f\uff0c\u7136\u540e\u9009\u62e9\u201c\u6dfb\u52a0\u5230\u64ad\u653e\u5217\u8868\u201d\u3002", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "\u540c\u6b65\u7684\u9ad8\u54c1\u8d28\u7684\u5185\u5bb9\u65f6\uff0c\u8bf7\u6307\u5b9a\u4e00\u4e2a\u6700\u5927\u6bd4\u7279\u7387\u3002", - "LabelKodiMetadataEnableExtraThumbs": "\u590d\u5236\u540c\u4eba\u753b\u5230extrathumbs\u6587\u4ef6\u5939", - "MessageNoPlaylistItemsAvailable": "\u64ad\u653e\u5217\u8868\u76ee\u524d\u662f\u7a7a\u7684\u3002", - "TabSync": "\u540c\u6b65", - "LabelProtocol": "\u534f\u8bae\uff1a", - "LabelKodiMetadataEnableExtraThumbsHelp": "\u4e3a\u4e86\u6700\u5927\u5316\u517c\u5bb9Kodi\u76ae\u80a4\uff0c\u4e0b\u8f7d\u7684\u56fe\u7247\u540c\u65f6\u50a8\u5b58\u5728 extrafanart \u548c extrathumbs \u6587\u4ef6\u5939\u3002", - "TabPlaylists": "\u64ad\u653e\u5217\u8868", - "LabelPersonRole": "\u89d2\u8272\uff1a", "LabelInNetworkSignInWithEasyPassword": "\u542f\u7528\u7b80\u6613PIN\u7801\u767b\u5f55\u5bb6\u5ead\u7f51\u7edc", - "TitleUsers": "\u7528\u6237", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "\u89d2\u8272\u7684\u4f5c\u7528\u662f\u4e00\u822c\u53ea\u9002\u7528\u4e8e\u6f14\u5458\u3002", - "OptionProtocolHls": "Http \u76f4\u64ad\u6d41", - "LabelPath": "\u8def\u5f84\uff1a", - "HeaderIdentification": "\u8eab\u4efd\u8bc6\u522b", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "\u73af\u5883\uff1a", - "LabelSortName": "\u6392\u5e8f\u540d\u79f0\uff1a", - "OptionContextStreaming": "\u5a92\u4f53\u6d41", - "LabelDateAdded": "\u52a0\u5165\u65e5\u671f\uff1a", + "HeaderPassword": "\u5bc6\u7801", + "HeaderLocalAccess": "\u672c\u5730\u8bbf\u95ee", + "HeaderViewOrder": "\u67e5\u770b\u987a\u5e8f", "ButtonResetEasyPassword": "\u590d\u4f4d\u7b80\u6613PIN\u7801", - "OptionContextStatic": "\u540c\u6b65", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "\u5a92\u4f53\u8d44\u6599\u5237\u65b0\u6a21\u5f0f\uff1a", - "ViewTypeChannels": "\u9891\u9053", "LabelImageRefreshMode": "\u56fe\u7247\u5237\u65b0\u6a21\u5f0f\uff1a", - "ViewTypeLiveTV": "\u7535\u89c6\u76f4\u64ad", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "\u4e0b\u8f7d\u7f3a\u5931\u56fe\u7247", "OptionReplaceExistingImages": "\u66ff\u6362\u73b0\u6709\u56fe\u7247", "OptionRefreshAllData": "\u5237\u65b0\u6240\u6709\u6570\u636e", "OptionAddMissingDataOnly": "\u4ec5\u6dfb\u52a0\u7f3a\u5931\u6570\u636e", "OptionLocalRefreshOnly": "\u4ec5\u7528\u672c\u5730\u6570\u636e\u5237\u65b0", - "LabelGroupMoviesIntoCollections": "\u6279\u91cf\u6dfb\u52a0\u7535\u5f71\u5230\u5408\u96c6", "HeaderRefreshMetadata": "\u5237\u65b0\u5a92\u4f53\u8d44\u6599", - "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", "HeaderPersonInfo": "\u4efb\u52a1\u4fe1\u606f", "HeaderIdentifyItem": "\u8bc6\u522b\u9879", "HeaderIdentifyItemHelp": "\u8f93\u5165\u4e00\u4e2a\u6216\u591a\u4e2a\u641c\u7d22\u6761\u4ef6\u3002\u5220\u9664\u6761\u4ef6\u53ef\u5f97\u5230\u66f4\u591a\u641c\u7d22\u7ed3\u679c\u3002", - "HeaderLatestMedia": "\u6700\u65b0\u5a92\u4f53", + "HeaderConfirmDeletion": "\u786e\u8ba4\u5220\u9664", "LabelFollowingFileWillBeDeleted": "\u4ee5\u4e0b\u6587\u4ef6\u5c06\u88ab\u5220\u9664\uff1a", "LabelIfYouWishToContinueWithDeletion": "\u5982\u679c\u4f60\u60f3\u7ee7\u7eed\uff0c\u8bf7\u786e\u8ba4\u8f93\u5165\u7684\u503c\uff1a", - "OptionSpecialFeatures": "\u7279\u6b8a\u529f\u80fd", "ButtonIdentify": "\u8bc6\u522b", "LabelAlbumArtist": "\u4e13\u8f91\u827a\u672f\u5bb6\uff1a", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "\u4e13\u8f91\uff1a", "LabelCommunityRating": "\u516c\u4f17\u8bc4\u5206\uff1a", "LabelVoteCount": "\u6295\u7968\u8ba1\u6570\uff1a", - "ButtonSearch": "\u641c\u7d22", "LabelMetascore": "\u5a92\u4f53\u8bc4\u5206\uff1a", "LabelCriticRating": "\u5f71\u8bc4\u4eba\u8bc4\u5206\uff1a", "LabelCriticRatingSummary": "\u5f71\u8bc4\u4eba\u8bc4\u4ef7\uff1a", "LabelAwardSummary": "\u83b7\u5956\u6458\u8981\uff1a", - "LabelSeasonZeroFolderName": "\u7b2c0\u5b63\u6587\u4ef6\u5939\u540d\u79f0\uff1a", "LabelWebsite": "\u7f51\u7ad9\uff1a", - "HeaderEpisodeFilePattern": "\u5267\u96c6\u6587\u4ef6\u6a21\u5f0f", "LabelTagline": "\u53e3\u53f7\uff1a", - "LabelEpisodePattern": "\u5267\u96c6\u6a21\u5f0f\uff1a", "LabelOverview": "\u5185\u5bb9\u6982\u8ff0\uff1a", - "LabelMultiEpisodePattern": "\u591a\u96c6\u6a21\u5f0f\uff1a", "LabelShortOverview": "\u7b80\u4ecb\uff1a", - "HeaderSupportedPatterns": "\u652f\u6301\u7684\u6a21\u5f0f", - "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", - "LabelMusicStaticBitrate": "\u97f3\u4e50\u540c\u6b65\u6bd4\u7279\u7387\uff1a", + "LabelReleaseDate": "\u53d1\u884c\u65e5\u671f\uff1a", + "LabelYear": "\u5e74\uff1a", "LabelPlaceOfBirth": "\u51fa\u751f\u5730\uff1a", - "HeaderTerm": "\u671f\u9650", - "MessageNoCollectionsAvailable": "\u5408\u96c6\u8ba9\u4f60\u4eab\u53d7\u7535\u5f71\uff0c\u7cfb\u5217\uff0c\u76f8\u518c\uff0c\u4e66\u7c4d\u548c\u6e38\u620f\u4e2a\u6027\u5316\u7684\u5206\u7ec4\u3002\u5355\u51fb\u201c+\u201d\u6309\u94ae\u5f00\u59cb\u521b\u5efa\u5408\u96c6\u3002", - "LabelMusicStaticBitrateHelp": "\u8bf7\u6307\u5b9a\u4e00\u4e2a\u540c\u6b65\u97f3\u4e50\u65f6\u7684\u6700\u5927\u6bd4\u7279\u7387\u3002", + "LabelEndDate": "\u7ed3\u675f\u65e5\u671f\uff1a", "LabelAirDate": "\u64ad\u51fa\u65e5\u671f\uff1a", - "HeaderPattern": "\u6a21\u5f0f", - "LabelMusicStreamingTranscodingBitrate": "\u97f3\u4e50\u8f6c\u7801\u7684\u6bd4\u7279\u7387\uff1a", "LabelAirTime:": "\u64ad\u51fa\u65f6\u95f4\uff1a", - "HeaderNotificationList": "\u70b9\u51fb\u901a\u77e5\u6765\u914d\u7f6e\u5b83\u7684\u53d1\u9001\u9009\u9879\u3002", - "HeaderResult": "\u7ed3\u5c40", - "LabelMusicStreamingTranscodingBitrateHelp": "\u6307\u5b9a\u97f3\u4e50\u8f6c\u7801\u65f6\u7684\u6700\u5927\u6bd4\u7279\u7387", "LabelRuntimeMinutes": "\u64ad\u653e\u65f6\u957f\uff08\u5206\u949f\uff09\uff1a", - "LabelNotificationEnabled": "\u542f\u7528\u6b64\u901a\u77e5", - "LabelDeleteEmptyFolders": "\u6574\u7406\u540e\u5220\u9664\u7a7a\u6587\u4ef6\u5939", - "HeaderRecentActivity": "\u6700\u8fd1\u7684\u6d3b\u52a8", "LabelParentalRating": "\u5bb6\u957f\u5206\u7ea7\uff1a", - "LabelDeleteEmptyFoldersHelp": "\u542f\u7528\u4ee5\u4fdd\u6301\u4e0b\u8f7d\u76ee\u5f55\u6574\u6d01\u3002", - "ButtonOsd": "\u5728\u5c4f\u5e55\u4e0a\u663e\u793a", - "HeaderPeople": "\u4eba\u7269", "LabelCustomRating": "\u81ea\u5b9a\u4e49\u5206\u7ea7\uff1a", - "LabelDeleteLeftOverFiles": "\u5220\u9664\u5177\u6709\u4ee5\u4e0b\u6269\u5c55\u540d\u7684\u9057\u7559\u6587\u4ef6\uff1a", - "MessageNoAvailablePlugins": "\u6ca1\u6709\u53ef\u7528\u7684\u63d2\u4ef6\u3002", - "HeaderDownloadPeopleMetadataFor": "\u4e0b\u8f7d\u4f20\u8bb0\u548c\u56fe\u50cf\uff1a", "LabelBudget": "\u6295\u8d44\u989d\uff1a", - "NotificationOptionVideoPlayback": "\u89c6\u9891\u5f00\u59cb\u64ad\u653e", - "LabelDeleteLeftOverFilesHelp": "\u5206\u9694\u7b26 ;. \u4f8b\u5982\uff1a.nfo;.txt", - "LabelDisplayPluginsFor": "\u663e\u793a\u63d2\u4ef6\uff1a", - "OptionComposers": "\u4f5c\u66f2\u5bb6", "LabelRevenue": "\u7968\u623f\u6536\u5165\uff1a", - "NotificationOptionAudioPlayback": "\u97f3\u9891\u5f00\u59cb\u64ad\u653e", - "OptionOverwriteExistingEpisodes": "\u8986\u76d6\u73b0\u6709\u5267\u96c6", - "OptionOthers": "\u5176\u4ed6", "LabelOriginalAspectRatio": "\u539f\u59cb\u957f\u5bbd\u6bd4\uff1a", - "NotificationOptionGamePlayback": "\u6e38\u620f\u5f00\u59cb", - "LabelTransferMethod": "\u79fb\u52a8\u65b9\u5f0f", "LabelPlayers": "\u64ad\u653e\u5668\uff1a", - "OptionCopy": "\u590d\u5236", "Label3DFormat": "3D\u683c\u5f0f\uff1a", - "NotificationOptionNewLibraryContent": "\u6dfb\u52a0\u65b0\u5185\u5bb9", - "OptionMove": "\u79fb\u52a8", "HeaderAlternateEpisodeNumbers": "\u5907\u9009\u7684\u5267\u96c6\u6570", - "NotificationOptionServerRestartRequired": "\u9700\u8981\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668", - "LabelTransferMethodHelp": "\u4ece\u76d1\u63a7\u6587\u4ef6\u5939\u590d\u5236\u6216\u79fb\u52a8\u6587\u4ef6", "HeaderSpecialEpisodeInfo": "\u7279\u522b\u5267\u96c6\u4fe1\u606f", - "LabelMonitorUsers": "\u76d1\u63a7\u6d3b\u52a8\uff1a", - "HeaderLatestNews": "\u6700\u65b0\u6d88\u606f", - "ValueSeriesNamePeriod": "\u7535\u89c6\u5267.\u540d\u79f0", "HeaderExternalIds": "\u5916\u90e8ID\uff1a", - "LabelSendNotificationToUsers": "\u53d1\u9001\u901a\u77e5\u81f3\uff1a", - "ValueSeriesNameUnderscore": "\u7535\u89c6\u5267_\u540d\u79f0", - "TitleChannels": "\u9891\u9053", - "HeaderRunningTasks": "\u8fd0\u884c\u7684\u4efb\u52a1", - "HeaderConfirmDeletion": "\u786e\u8ba4\u5220\u9664", - "ValueEpisodeNamePeriod": "\u5267\u96c6.\u540d\u79f0", - "LabelChannelStreamQuality": "\u9996\u9009\u7684\u4e92\u8054\u7f51\u6d41\u5a92\u4f53\u8d28\u91cf\uff1a", - "HeaderActiveDevices": "\u6d3b\u52a8\u7684\u8bbe\u5907", - "ValueEpisodeNameUnderscore": "\u5267\u96c6_\u540d\u79f0", - "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", - "HeaderPendingInstallations": "\u7b49\u5f85\u5b89\u88c5", - "HeaderTypeText": "\u8f93\u5165\u6587\u672c", - "OptionBestAvailableStreamQuality": "\u6700\u597d\u7684", - "LabelUseNotificationServices": "\u4f7f\u7528\u4ee5\u4e0b\u670d\u52a1\uff1a", - "LabelTypeText": "\u6587\u672c", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "\u542f\u7528\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\uff1a", - "NotificationOptionApplicationUpdateAvailable": "\u6709\u53ef\u7528\u7684\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0", + "LabelDvdSeasonNumber": "Dvd \u5b63\u6570\uff1a", + "LabelDvdEpisodeNumber": "Dvd \u96c6\u6570\uff1a", + "LabelAbsoluteEpisodeNumber": "\u7edd\u5bf9\u96c6\u6570\uff1a", + "LabelAirsBeforeSeason": "\u5b63\u64ad\u51fa\u524d\uff1a", + "LabelAirsAfterSeason": "\u5b63\u64ad\u51fa\u540e\uff1a", "LabelAirsBeforeEpisode": "\u96c6\u64ad\u51fa\u524d\uff1a", "LabelTreatImageAs": "\u5904\u7406\u56fe\u50cf\uff1a", - "ButtonReset": "Reset", "LabelDisplayOrder": "\u663e\u793a\u987a\u5e8f\uff1a", "LabelDisplaySpecialsWithinSeasons": "\u663e\u793a\u5b63\u4e2d\u6240\u64ad\u51fa\u7684\u7279\u96c6", - "HeaderAddTag": "\u6dfb\u52a0\u6807\u7b7e", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "\u56fd\u5bb6", "HeaderGenres": "\u98ce\u683c", - "LabelTag": "\u6807\u7b7e\uff1a", "HeaderPlotKeywords": "\u60c5\u8282\u5173\u952e\u5b57", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "\u5de5\u4f5c\u5ba4", "HeaderTags": "\u6807\u7b7e", "HeaderMetadataSettings": "\u5a92\u4f53\u8d44\u6599\u8bbe\u7f6e", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "\u9501\u5b9a\u6b64\u9879\u76ee\u9632\u6b62\u6539\u52a8", - "LabelExternalPlayers": "\u5916\u90e8\u64ad\u653e\u5668\uff1a", "MessageLeaveEmptyToInherit": "\u7559\u7a7a\u5219\u7ee7\u627f\u7236\u9879\u6216\u5168\u5c40\u9ed8\u8ba4\u503c\u8bbe\u7f6e\u3002", - "LabelExternalPlayersHelp": "\u663e\u793a\u5728\u5916\u90e8\u64ad\u653e\u5668\u4e0a\u64ad\u653e\u7684\u6309\u94ae\u3002\u8fd9\u4ec5\u9002\u7528\u4e8e\u652f\u6301URL\u65b9\u6848\u7684Android\u548ciOS\u8bbe\u5907\u3002\u5916\u90e8\u64ad\u653e\u5668\u901a\u5e38\u4e0d\u652f\u6301\u8fdb\u884c\u8fdc\u7a0b\u63a7\u5236\u6216\u6062\u590d\u64ad\u653e\u3002", - "ButtonUnlockGuide": "Unlock Guide", + "TabDonate": "\u6350\u8d60", "HeaderDonationType": "\u6350\u8d60\u7c7b\u578b\uff1a", "OptionMakeOneTimeDonation": "\u505a\u4e00\u4e2a\u5355\u72ec\u7684\u6350\u8d60", + "OptionOneTimeDescription": "\u8fd9\u662f\u4e00\u4e2a\u989d\u5916\u7684\u6350\u52a9\u9879\u76ee\uff0c\u4ee5\u663e\u793a\u4f60\u5bf9\u6211\u4eec\u7684\u652f\u6301\u3002\u5b83\u6ca1\u6709\u4efb\u4f55\u989d\u5916\u7684\u597d\u5904\uff0c\u4e5f\u4e0d\u4f1a\u4ea7\u751f\u4e00\u4e2a\u652f\u6301\u8005\u5e8f\u5217\u53f7\u3002", + "OptionLifeTimeSupporterMembership": "\u7ec8\u8eab\u652f\u6301\u8005\u4f1a\u5458", + "OptionYearlySupporterMembership": "\u5e74\u5ea6\u652f\u6301\u8005\u4f1a\u5458", + "OptionMonthlySupporterMembership": "\u6708\u5ea6\u7684\u652f\u6301\u8005\u4f1a\u5458", "OptionNoTrailer": "\u65e0\u9884\u544a\u7247", "OptionNoThemeSong": "\u65e0\u4e3b\u9898\u6b4c", "OptionNoThemeVideo": "\u65e0\u4e3b\u9898\u89c6\u9891", "LabelOneTimeDonationAmount": "\u6350\u6b3e\u91d1\u989d\uff1a", - "ButtonLearnMore": "\u4e86\u89e3\u66f4\u591a", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "\u7528\u6237\u540d\u53ef\u4ee5\u5305\u542b\u5b57\u6bcd\uff08az\uff09\uff0c\u6570\u5b57\uff080-9\uff09\uff0c\u7834\u6298\u53f7\uff08 - \uff09\uff0c\u4e0b\u5212\u7ebf\uff08_\uff09\uff0c\u5355\u5f15\u53f7\uff08'\uff09\u548c\u53e5\u70b9\uff08.\uff09", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "\u663e\u793a\u540d\u79f0\uff1a", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "\u81ea\u5b9a\u4e49\u8bbe\u5907\u663e\u793a\u540d\u79f0\u6216\u7559\u7a7a\u5219\u4f7f\u7528\u8bbe\u5907\u62a5\u544a\u540d\u79f0\u3002", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "\u8bbe\u5907", - "TabCameraUpload": "\u6444\u50cf\u5934\u4e0a\u4f20", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "\u60a8\u76ee\u524d\u8fd8\u6ca1\u6709\u4efb\u4f55\u8bbe\u5907\u652f\u6301\u6444\u50cf\u5934\u4e0a\u4f20\u3002", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "\u6444\u50cf\u5934\u4e0a\u4f20\u8def\u5f84\uff1a", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "\u9009\u62e9\u81ea\u5b9a\u4e49\u4e0a\u4f20\u8def\u5f84\u3002\u5982\u679c\u672a\u6307\u5b9a\uff0c\u4e00\u4e2a\u9ed8\u8ba4\u6587\u4ef6\u5939\u5c06\u88ab\u4f7f\u7528\u3002\u5982\u679c\u4f7f\u7528\u81ea\u5b9a\u4e49\u7684\u8def\u5f84\uff0c\u9700\u8981\u5728\u5a92\u4f53\u5e93\u8bbe\u7f6e\u4e2d\u6dfb\u52a0\u3002", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "\u4e3a\u6bcf\u4e2a\u8bbe\u5907\u521b\u5efa\u5b50\u6587\u4ef6\u5939", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "\u7279\u5b9a\u7684\u6587\u4ef6\u5939\u53ef\u4ee5\u5206\u914d\u7ed9\u4e00\u4e2a\u8bbe\u5907\uff0c\u901a\u8fc7\u4ece\u8bbe\u5907\u9875\u9762\u70b9\u51fb\u5b83\u3002", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "\u8bbe\u5907", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "\u65b0\u5185\u5bb9\u52a0\u5165\u7684\u65e5\u671f\uff1a", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "\u4f7f\u7528\u52a0\u5165\u5a92\u4f53\u5e93\u65f6\u7684\u626b\u63cf\u65e5\u671f", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "\u4ec5\u9650\u5355\u4e00\u7684\u5d4c\u5165\u5f0f\u56fe\u50cf", - "OptionDateAddedFileTime": "\u4f7f\u7528\u6587\u4ef6\u521b\u5efa\u65e5\u671f", - "HeaderLatestItems": "\u6700\u65b0\u9879\u76ee", - "LabelEnableSingleImageInDidlLimitHelp": "\u5982\u679c\u591a\u4e2a\u56fe\u50cf\u5d4c\u5165\u5728DIDL\uff0c\u67d0\u4e9b\u8bbe\u5907\u5c06\u65e0\u6cd5\u6b63\u786e\u6e32\u67d3\u3002", - "LabelDateAddedBehaviorHelp": "\u5982\u679c\u4e00\u4e2a\u5a92\u4f53\u8d44\u6599\u7684\u503c\u5b58\u5728\uff0c\u5b83\u603b\u662f\u4f18\u5148\u4e8e\u8fd9\u4e9b\u9009\u9879\u524d\u4f7f\u7528\u3002", - "LabelSelectLastestItemsFolders": "\u6700\u65b0\u9879\u76ee\u4e2d\u5305\u62ec\u4ee5\u4e0b\u90e8\u5206\u5a92\u4f53", - "LabelNumberTrailerToPlay": "\u9884\u544a\u7247\u64ad\u653e\u6b21\u6570\uff1a", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "\u5b63\u672a\u77e5", - "NameSeasonNumber": "\u5b63 {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "\u5b57\u5e55\u914d\u7f6e", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "\u5b57\u5e55\u914d\u7f6e", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "\u5b57\u5e55\u914d\u7f6e\u6587\u4ef6\u63cf\u8ff0\u8bbe\u5907\u6240\u652f\u6301\u7684\u5b57\u5e55\u683c\u5f0f\u3002", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "\u683c\u5f0f\uff1a", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "\u65b9\u6cd5\uff1a", - "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.", - "LabelDidlMode": "Didl \u6a21\u5f0f\uff1a", - "OptionCaptionInfoExSamsung": "CaptionInfoEx\uff08\u4e09\u661f\uff09", - "OptionResElement": "res \u5143\u7d20", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "\u5728\u8f7d\u4f53\u4e2d\u5d4c\u5165", - "OptionExternallyDownloaded": "\u5916\u90e8\u4e0b\u8f7d", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "\u4e2a\u4eba\u7528\u6237\u53ef\u4ee5\u5728\u81ea\u5df1\u7684\u504f\u597d\u8bbe\u7f6e\u4e2d\u7981\u7528\u5f71\u9662\u6a21\u5f0f\u3002", - "OptionOneTimeDescription": "\u8fd9\u662f\u4e00\u4e2a\u989d\u5916\u7684\u6350\u52a9\u9879\u76ee\uff0c\u4ee5\u663e\u793a\u4f60\u5bf9\u6211\u4eec\u7684\u652f\u6301\u3002\u5b83\u6ca1\u6709\u4efb\u4f55\u989d\u5916\u7684\u597d\u5904\uff0c\u4e5f\u4e0d\u4f1a\u4ea7\u751f\u4e00\u4e2a\u652f\u6301\u8005\u5e8f\u5217\u53f7\u3002", - "OptionHlsSegmentedSubtitles": "Hls\u5206\u6bb5\u5b57\u5e55", - "LabelEnableCinemaMode": "\u542f\u7528\u5f71\u9662\u6a21\u5f0f", + "ButtonDonate": "\u6350\u8d60", + "ButtonPurchase": "Purchase", + "OptionActor": "\u6f14\u5458", + "OptionComposer": "\u4f5c\u66f2\u5bb6", + "OptionDirector": "\u5bfc\u6f14", + "OptionGuestStar": "\u7279\u9080\u660e\u661f", + "OptionProducer": "\u5236\u7247\u4eba", + "OptionWriter": "\u7f16\u5267", "LabelAirDays": "\u64ad\u51fa\u65e5\u671f\uff1a", - "HeaderCinemaMode": "\u5f71\u9662\u6a21\u5f0f", "LabelAirTime": "\u64ad\u51fa\u65f6\u95f4\uff1a", "HeaderMediaInfo": "\u5a92\u4f53\u4fe1\u606f", "HeaderPhotoInfo": "\u56fe\u7247\u4fe1\u606f", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "\u6350\u8d60", - "OptionLifeTimeSupporterMembership": "\u7ec8\u8eab\u652f\u6301\u8005\u4f1a\u5458", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "\u5e74\u5ea6\u652f\u6301\u8005\u4f1a\u5458", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "\u6708\u5ea6\u7684\u652f\u6301\u8005\u4f1a\u5458", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "HeaderInstall": "\u5b89\u88c5", "LabelSelectVersionToInstall": "\u9009\u62e9\u5b89\u88c5\u7248\u672c\uff1a", "LinkSupporterMembership": "\u4e86\u89e3\u6709\u5173\u652f\u6301\u8005\u4f1a\u5458", "MessageSupporterPluginRequiresMembership": "\u6b64\u63d2\u4ef6\u5c06\u670914\u5929\u7684\u514d\u8d39\u8bd5\u7528\uff0c\u6b64\u540e\u9700\u8981\u6fc0\u6d3b\u652f\u6301\u8005\u4f1a\u5458\u624d\u80fd\u4f7f\u7528\u3002", "MessagePremiumPluginRequiresMembership": "\u6b64\u63d2\u4ef6\u572814\u5929\u7684\u514d\u8d39\u8bd5\u7528\u671f\u540e\uff0c\u9700\u8981\u6fc0\u6d3b\u652f\u6301\u8005\u4f1a\u5458\u624d\u80fd\u8d2d\u4e70\u3002", "HeaderReviews": "\u8bc4\u8bba", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "\u5f00\u53d1\u8005\u4fe1\u606f", "HeaderRevisionHistory": "\u4fee\u8ba2\u5386\u53f2", "ButtonViewWebsite": "\u6d4f\u89c8\u7f51\u7ad9", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "\u6f14\u5458", - "ButtonDonate": "\u6350\u8d60", - "TitleNewUser": "New User", - "OptionComposer": "\u4f5c\u66f2\u5bb6", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "\u5bfc\u6f14", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "\u7279\u9080\u660e\u661f", - "OptionProducer": "\u5236\u7247\u4eba", - "OptionWriter": "\u7f16\u5267", "HeaderXmlSettings": "XML\u8bbe\u7f6e", "HeaderXmlDocumentAttributes": "XML\u6587\u6863\u5c5e\u6027", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "XML\u6587\u6863\u5c5e\u6027", "XmlDocumentAttributeListHelp": "\u8fd9\u4e9b\u5c5e\u6027\u88ab\u5e94\u7528\u5230\u6bcf\u4e00\u4e2aXML\u54cd\u5e94\u7684\u6839\u5143\u7d20\u3002", - "ValueSpecialEpisodeName": "\u7279\u522b - {0}", "OptionSaveMetadataAsHidden": "\u4fdd\u5b58\u5a92\u4f53\u8d44\u6599\u548c\u56fe\u50cf\u4e3a\u9690\u85cf\u6587\u4ef6", - "HeaderNewServer": "New Server", - "TabActivity": "\u6d3b\u52a8", - "TitleSync": "\u540c\u6b65", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "\u9080\u8bf7\u51fd", + "LabelExtractChaptersDuringLibraryScan": "\u5a92\u4f53\u5e93\u626b\u63cf\u8fc7\u7a0b\u4e2d\u89e3\u538b\u7ae0\u8282\u56fe\u7247", + "LabelExtractChaptersDuringLibraryScanHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u5a92\u4f53\u5e93\u5bfc\u5165\u89c6\u9891\u5e76\u626b\u63cf\u65f6\uff0c\u5c06\u63d0\u53d6\u7ae0\u8282\u56fe\u50cf\u3002\u5982\u679c\u7981\u7528\uff0c\u7ae0\u8282\u56fe\u50cf\u5c06\u5728\u4e4b\u540e\u7684\u8ba1\u5212\u4efb\u52a1\u63d0\u53d6\uff0c\u800c\u5a92\u4f53\u5e93\u4f1a\u66f4\u5feb\u5b8c\u6210\u626b\u63cf\u3002", + "LabelConnectGuestUserName": "Their Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", + "LabelExternalPlayers": "\u5916\u90e8\u64ad\u653e\u5668\uff1a", + "LabelExternalPlayersHelp": "\u663e\u793a\u5728\u5916\u90e8\u64ad\u653e\u5668\u4e0a\u64ad\u653e\u7684\u6309\u94ae\u3002\u8fd9\u4ec5\u9002\u7528\u4e8e\u652f\u6301URL\u65b9\u6848\u7684Android\u548ciOS\u8bbe\u5907\u3002\u5916\u90e8\u64ad\u653e\u5668\u901a\u5e38\u4e0d\u652f\u6301\u8fdb\u884c\u8fdc\u7a0b\u63a7\u5236\u6216\u6062\u590d\u64ad\u653e\u3002", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "HeaderSubtitleProfile": "\u5b57\u5e55\u914d\u7f6e", + "HeaderSubtitleProfiles": "\u5b57\u5e55\u914d\u7f6e", + "HeaderSubtitleProfilesHelp": "\u5b57\u5e55\u914d\u7f6e\u6587\u4ef6\u63cf\u8ff0\u8bbe\u5907\u6240\u652f\u6301\u7684\u5b57\u5e55\u683c\u5f0f\u3002", + "LabelFormat": "\u683c\u5f0f\uff1a", + "LabelMethod": "\u65b9\u6cd5\uff1a", + "LabelDidlMode": "Didl \u6a21\u5f0f\uff1a", + "OptionCaptionInfoExSamsung": "CaptionInfoEx\uff08\u4e09\u661f\uff09", + "OptionResElement": "res \u5143\u7d20", + "OptionEmbedSubtitles": "\u5728\u8f7d\u4f53\u4e2d\u5d4c\u5165", + "OptionExternallyDownloaded": "\u5916\u90e8\u4e0b\u8f7d", + "OptionHlsSegmentedSubtitles": "Hls\u5206\u6bb5\u5b57\u5e55", "LabelSubtitleFormatHelp": "\u4f8b\u5982\uff1aSRT", + "ButtonLearnMore": "\u4e86\u89e3\u66f4\u591a", + "TabPlayback": "\u64ad\u653e", "HeaderLanguagePreferences": "\u8bed\u8a00\u504f\u597d", "TabCinemaMode": "\u5f71\u9662\u6a21\u5f0f", "TitlePlayback": "\u64ad\u653e", "LabelEnableCinemaModeFor": "\u542f\u7528\u5f71\u9662\u6a21\u5f0f\uff1a", "CinemaModeConfigurationHelp": "\u5f71\u9662\u6a21\u5f0f\u76f4\u63a5\u4e3a\u60a8\u7684\u5ba2\u5385\u5e26\u6765\u5267\u573a\u7ea7\u4f53\u9a8c\uff0c\u540c\u65f6\u8fd8\u53ef\u4ee5\u64ad\u653e\u9884\u544a\u7247\u548c\u81ea\u5b9a\u4e49\u4ecb\u7ecd\u3002", - "LabelExtractChaptersDuringLibraryScan": "\u5a92\u4f53\u5e93\u626b\u63cf\u8fc7\u7a0b\u4e2d\u89e3\u538b\u7ae0\u8282\u56fe\u7247", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "\u5728\u6211\u7684\u5a92\u4f53\u5e93\u4e2d\u5305\u542b\u7535\u5f71\u9884\u544a\u7247", "OptionUpcomingMoviesInTheaters": "\u5305\u62ec\u65b0\u7684\u548c\u5373\u5c06\u63a8\u51fa\u7684\u7535\u5f71\u9884\u544a\u7247", - "LabelExtractChaptersDuringLibraryScanHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u5a92\u4f53\u5e93\u5bfc\u5165\u89c6\u9891\u5e76\u626b\u63cf\u65f6\uff0c\u5c06\u63d0\u53d6\u7ae0\u8282\u56fe\u50cf\u3002\u5982\u679c\u7981\u7528\uff0c\u7ae0\u8282\u56fe\u50cf\u5c06\u5728\u4e4b\u540e\u7684\u8ba1\u5212\u4efb\u52a1\u63d0\u53d6\uff0c\u800c\u5a92\u4f53\u5e93\u4f1a\u66f4\u5feb\u5b8c\u6210\u626b\u63cf\u3002", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u8fd9\u4e9b\u529f\u80fd\u9700\u8981\u6fc0\u6d3b\u652f\u6301\u8005\u4f1a\u5458\u5e76\u5b89\u88c5\u9884\u544a\u7247\u9891\u9053\u63d2\u4ef6\u3002", "LabelLimitIntrosToUnwatchedContent": "\u9884\u544a\u7247\u4ec5\u7528\u4e8e\u672a\u89c2\u770b\u7684\u5185\u5bb9", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "\u4e92\u8054\u7f51\u9884\u544a\u7247\uff1a", "LabelEnableIntroParentalControl": "\u542f\u7528\u667a\u80fd\u5bb6\u957f\u63a7\u5236", - "OptionUpcomingDvdMovies": "\u5305\u62ec\u65b0\u7684\u548c\u5373\u5c06\u63a8\u51fa\u7684DVD\uff06\u84dd\u5149\u7535\u5f71\u9884\u544a\u7247", "LabelEnableIntroParentalControlHelp": "\u9884\u544a\u7247\u5c06\u53ea\u80fd\u9009\u62e9\u89c2\u770b\u5bb6\u957f\u5206\u7ea7\u5c0f\u4e8e\u6216\u7b49\u4e8e\u73b0\u5728\u7684\u7b49\u7ea7\u3002", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "\u5305\u62ec\u65b0\u7684\u548c\u5373\u5c06\u63a8\u51fa\u7684\u5728Netflix\u4e0a\u7684\u7535\u5f71\u9884\u544a\u7247", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "\u5728\u7535\u5f71\u7684\u5efa\u8bae\u91cc\u663e\u793a\u9884\u544a\u7247", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "\u8fd9\u4e9b\u529f\u80fd\u9700\u8981\u6fc0\u6d3b\u652f\u6301\u8005\u4f1a\u5458\u5e76\u5b89\u88c5\u9884\u544a\u7247\u9891\u9053\u63d2\u4ef6\u3002", "OptionTrailersFromMyMoviesHelp": "\u9700\u8981\u8bbe\u7f6e\u672c\u5730\u9884\u544a\u7247\u3002", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u9700\u8981\u5b89\u88c5\u9884\u544a\u7247\u9891\u9053\u3002", "LabelCustomIntrosPath": "\u81ea\u5b9a\u4e49\u4ecb\u7ecd\u8def\u5f84\uff1a", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "\u6587\u4ef6\u5939\u5305\u542b\u89c6\u9891\u6587\u4ef6\u3002\u5728\u9884\u544a\u7247\u4e4b\u540e\u89c6\u9891\u5c06\u88ab\u968f\u673a\u9009\u62e9\u64ad\u653e\u3002", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "\u64ad\u653e", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "\u4f5c\u4e1a", - "TabSyncJobs": "\u540c\u6b65\u4f5c\u4e1a", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "\u5fd8\u8bb0\u5bc6\u7801", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "ValueSpecialEpisodeName": "\u7279\u522b - {0}", + "LabelSelectInternetTrailersForCinemaMode": "\u4e92\u8054\u7f51\u9884\u544a\u7247\uff1a", + "OptionUpcomingDvdMovies": "\u5305\u62ec\u65b0\u7684\u548c\u5373\u5c06\u63a8\u51fa\u7684DVD\uff06\u84dd\u5149\u7535\u5f71\u9884\u544a\u7247", + "OptionUpcomingStreamingMovies": "\u5305\u62ec\u65b0\u7684\u548c\u5373\u5c06\u63a8\u51fa\u7684\u5728Netflix\u4e0a\u7684\u7535\u5f71\u9884\u544a\u7247", + "LabelDisplayTrailersWithinMovieSuggestions": "\u5728\u7535\u5f71\u7684\u5efa\u8bae\u91cc\u663e\u793a\u9884\u544a\u7247", + "LabelDisplayTrailersWithinMovieSuggestionsHelp": "\u9700\u8981\u5b89\u88c5\u9884\u544a\u7247\u9891\u9053\u3002", + "CinemaModeConfigurationHelp2": "\u4e2a\u4eba\u7528\u6237\u53ef\u4ee5\u5728\u81ea\u5df1\u7684\u504f\u597d\u8bbe\u7f6e\u4e2d\u7981\u7528\u5f71\u9662\u6a21\u5f0f\u3002", + "LabelEnableCinemaMode": "\u542f\u7528\u5f71\u9662\u6a21\u5f0f", + "HeaderCinemaMode": "\u5f71\u9662\u6a21\u5f0f", + "LabelDateAddedBehavior": "\u65b0\u5185\u5bb9\u52a0\u5165\u7684\u65e5\u671f\uff1a", + "OptionDateAddedImportTime": "\u4f7f\u7528\u52a0\u5165\u5a92\u4f53\u5e93\u65f6\u7684\u626b\u63cf\u65e5\u671f", + "OptionDateAddedFileTime": "\u4f7f\u7528\u6587\u4ef6\u521b\u5efa\u65e5\u671f", + "LabelDateAddedBehaviorHelp": "\u5982\u679c\u4e00\u4e2a\u5a92\u4f53\u8d44\u6599\u7684\u503c\u5b58\u5728\uff0c\u5b83\u603b\u662f\u4f18\u5148\u4e8e\u8fd9\u4e9b\u9009\u9879\u524d\u4f7f\u7528\u3002", + "LabelNumberTrailerToPlay": "\u9884\u544a\u7247\u64ad\u653e\u6b21\u6570\uff1a", + "TitleDevices": "\u8bbe\u5907", + "TabCameraUpload": "\u6444\u50cf\u5934\u4e0a\u4f20", + "TabDevices": "\u8bbe\u5907", + "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", + "MessageNoDevicesSupportCameraUpload": "\u60a8\u76ee\u524d\u8fd8\u6ca1\u6709\u4efb\u4f55\u8bbe\u5907\u652f\u6301\u6444\u50cf\u5934\u4e0a\u4f20\u3002", + "LabelCameraUploadPath": "\u6444\u50cf\u5934\u4e0a\u4f20\u8def\u5f84\uff1a", + "LabelCameraUploadPathHelp": "\u9009\u62e9\u81ea\u5b9a\u4e49\u4e0a\u4f20\u8def\u5f84\u3002\u5982\u679c\u672a\u6307\u5b9a\uff0c\u4e00\u4e2a\u9ed8\u8ba4\u6587\u4ef6\u5939\u5c06\u88ab\u4f7f\u7528\u3002\u5982\u679c\u4f7f\u7528\u81ea\u5b9a\u4e49\u7684\u8def\u5f84\uff0c\u9700\u8981\u5728\u5a92\u4f53\u5e93\u8bbe\u7f6e\u4e2d\u6dfb\u52a0\u3002", + "LabelCreateCameraUploadSubfolder": "\u4e3a\u6bcf\u4e2a\u8bbe\u5907\u521b\u5efa\u5b50\u6587\u4ef6\u5939", + "LabelCreateCameraUploadSubfolderHelp": "\u7279\u5b9a\u7684\u6587\u4ef6\u5939\u53ef\u4ee5\u5206\u914d\u7ed9\u4e00\u4e2a\u8bbe\u5907\uff0c\u901a\u8fc7\u4ece\u8bbe\u5907\u9875\u9762\u70b9\u51fb\u5b83\u3002", + "LabelCustomDeviceDisplayName": "\u663e\u793a\u540d\u79f0\uff1a", + "LabelCustomDeviceDisplayNameHelp": "\u81ea\u5b9a\u4e49\u8bbe\u5907\u663e\u793a\u540d\u79f0\u6216\u7559\u7a7a\u5219\u4f7f\u7528\u8bbe\u5907\u62a5\u544a\u540d\u79f0\u3002", + "HeaderInviteUser": "Invite User", "LabelConnectGuestUserNameHelp": "This is the username that your friend uses to sign in to the Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "HeaderLibraryAccess": "Library Access", + "HeaderChannelAccess": "Channel Access", + "HeaderLatestItems": "\u6700\u65b0\u9879\u76ee", + "LabelSelectLastestItemsFolders": "\u6700\u65b0\u9879\u76ee\u4e2d\u5305\u62ec\u4ee5\u4e0b\u90e8\u5206\u5a92\u4f53", + "HeaderShareMediaFolders": "Share Media Folders", + "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", + "HeaderInvitations": "\u9080\u8bf7\u51fd", "LabelForgotPasswordUsernameHelp": "\u8f93\u5165\u60a8\u7684\u7528\u6237\u540d\uff0c\u5982\u679c\u4f60\u8fd8\u8bb0\u5f97\u3002", + "HeaderForgotPassword": "\u5fd8\u8bb0\u5bc6\u7801", "TitleForgotPassword": "\u5fd8\u8bb0\u5bc6\u7801", "TitlePasswordReset": "\u5bc6\u7801\u91cd\u7f6e", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "PIN\u7801\uff1a", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "\u5bc6\u7801\u91cd\u7f6e", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "\u5bb6\u957f\u5206\u7ea7", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "\u89c6\u9891\u7c7b\u578b", - "LabelAccessDay": "Day of week:", "HeaderYears": "\u5e74\u4efd", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd \u5b63\u6570\uff1a", + "HeaderAddTag": "\u6dfb\u52a0\u6807\u7b7e", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "\u6807\u7b7e\uff1a", + "LabelEnableSingleImageInDidlLimit": "\u4ec5\u9650\u5355\u4e00\u7684\u5d4c\u5165\u5f0f\u56fe\u50cf", + "LabelEnableSingleImageInDidlLimitHelp": "\u5982\u679c\u591a\u4e2a\u56fe\u50cf\u5d4c\u5165\u5728DIDL\uff0c\u67d0\u4e9b\u8bbe\u5907\u5c06\u65e0\u6cd5\u6b63\u786e\u6e32\u67d3\u3002", + "TabActivity": "\u6d3b\u52a8", + "TitleSync": "\u540c\u6b65", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "\u5b63\u672a\u77e5", + "NameSeasonNumber": "\u5b63 {0}", + "LabelNewUserNameHelp": "\u7528\u6237\u540d\u53ef\u4ee5\u5305\u542b\u5b57\u6bcd\uff08az\uff09\uff0c\u6570\u5b57\uff080-9\uff09\uff0c\u7834\u6298\u53f7\uff08 - \uff09\uff0c\u4e0b\u5212\u7ebf\uff08_\uff09\uff0c\u5355\u5f15\u53f7\uff08'\uff09\u548c\u53e5\u70b9\uff08.\uff09", + "TabJobs": "\u4f5c\u4e1a", + "TabSyncJobs": "\u540c\u6b65\u4f5c\u4e1a", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd \u96c6\u6570\uff1a", - "LabelAbsoluteEpisodeNumber": "\u7edd\u5bf9\u96c6\u6570\uff1a", - "LabelAirsBeforeSeason": "\u5b63\u64ad\u51fa\u524d\uff1a", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "\u5b63\u64ad\u51fa\u540e\uff1a" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ 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 44a21e7158..93b99610a0 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/zh-TW.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/zh-TW.json @@ -1,213 +1,194 @@ { - "WelcomeToProject": "Welcome to Emby!", - "LabelImageSavingConvention": "\u5716\u50cf\u4fdd\u5b58\u547d\u540d\u898f\u5247\uff1a", - "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.", - "HeaderNewCollection": "\u65b0\u5408\u96c6", - "LabelImageSavingConventionHelp": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", - "OptionImageSavingCompatible": "Compatible - Emby\/Kodi\/Plex", - "LinkedToEmbyConnect": "Linked to Emby Connect", - "OptionImageSavingStandard": "Standard - MB2", - "OptionAutomatic": "\u81ea\u52d5", - "ButtonCreate": "\u5275\u5efa", - "ButtonSignIn": "\u767b\u9304", - "LiveTvPluginRequired": "\u9700\u8981\u5b89\u88dd\u81f3\u5c11\u4e00\u500b\u96fb\u8996\u529f\u80fd\u63d2\u4ef6\u53bb\u7e7c\u7e8c", - "TitleSignIn": "\u767b\u9304", - "LiveTvPluginRequiredHelp": "\u8acb\u5b89\u88dd\u4e00\u500b\u6211\u5011\u63d0\u4f9b\u7684\u63d2\u4ef6\uff0c\u5982Next PVR\u7684\u6216ServerWmc\u3002", - "LabelWebSocketPortNumber": "\u7db2\u7d61\u5957\u63a5\u7aef\u53e3\uff1a", - "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", - "HeaderPleaseSignIn": "\u8acb\u767b\u9304", - "LabelUser": "\u7528\u6236\uff1a", - "LabelExternalDDNS": "External WAN Address:", - "TabOther": "Other", - "LabelPassword": "\u5bc6\u78bc\uff1a", - "OptionDownloadThumbImage": "\u7e2e\u7565\u5716", - "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", - "VisitProjectWebsite": "Visit the Emby Web Site", - "ButtonManualLogin": "Manual Login", - "OptionDownloadMenuImage": "\u83dc\u55ae", - "TabResume": "\u6062\u5fa9\u64ad\u653e", - "PasswordLocalhostMessage": "\u5f9e\u672c\u5730\u767b\u9304\u6642\uff0c\u5bc6\u78bc\u4e0d\u662f\u5fc5\u9700\u7684\u3002", - "OptionDownloadLogoImage": "\u6a19\u8a8c", - "TabWeather": "\u5929\u6c23", - "OptionDownloadBoxImage": "\u5a92\u9ad4\u5305\u88dd", - "TitleAppSettings": "\u5ba2\u6236\u7aef\u8a2d\u7f6e", - "ButtonDeleteImage": "\u522a\u9664\u5716\u50cf", - "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", - "OptionDownloadDiscImage": "\u5149\u789f", - "LabelMinResumePercentage": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4", - "ButtonUpload": "\u4e0a\u8f09", - "OptionDownloadBannerImage": "Banner", - "LabelMaxResumePercentage": "\u6700\u5927\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4", - "HeaderUploadNewImage": "\u4e0a\u8f09\u65b0\u5716\u50cf", - "OptionDownloadBackImage": "\u5a92\u9ad4\u5305\u88dd\u80cc\u9762", - "LabelMinResumeDuration": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u6642\u9593\uff08\u79d2\uff09\uff1a", - "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", - "LabelDropImageHere": "Drop image here", - "OptionDownloadArtImage": "\u5716\u50cf", - "LabelMinResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u524d\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u672a\u64ad\u653e\u3002", - "ImageUploadAspectRatioHelp": "\u63a8\u85a6\u4f7f\u67091:1\u5bec\u9ad8\u6bd4\u4f8b\u7684\u5716\u50cf\u3002\u53ea\u5141\u8a31JPG\/PNG\u683c\u5f0f", - "OptionDownloadPrimaryImage": "\u4e3b\u8981\u5716", - "LabelMaxResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u5f8c\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u5df2\u64ad\u653e\u3002", - "MessageNothingHere": "\u9019\u88e1\u6c92\u6709\u4ec0\u9ebc\u3002", - "HeaderFetchImages": "\u6293\u53d6\u5716\u50cf\uff1a", - "LabelMinResumeDurationHelp": "\u5a92\u9ad4\u6bd4\u9019\u66f4\u77ed\u4e0d\u53ef\u6062\u5fa9\u64ad\u653e", - "TabSuggestions": "Suggestions", - "MessagePleaseEnsureInternetMetadata": "\u8acb\u78ba\u4fdd\u5df2\u555f\u7528\u5f9e\u4e92\u806f\u7db2\u4e0b\u8f09\u5a92\u9ad4\u8cc7\u6599\u3002", - "HeaderImageSettings": "\u5716\u50cf\u8a2d\u7f6e", - "TabSuggested": "\u5efa\u8b70", - "LabelMaxBackdropsPerItem": "\u6bcf\u500b\u9805\u76ee\u80cc\u666f\u7684\u6700\u5927\u6578\u76ee\uff1a", - "TabLatest": "\u6700\u65b0", - "LabelMaxScreenshotsPerItem": "\u6bcf\u4ef6\u7269\u54c1\u622a\u5716\u7684\u6700\u5927\u6578\u91cf\uff1a", - "TabUpcoming": "\u5373\u5c07\u767c\u5e03", - "LabelMinBackdropDownloadWidth": "\u6700\u5c0f\u80cc\u666f\u4e0b\u8f09\u5bec\u5ea6\uff1a", - "TabShows": "\u7bc0\u76ee", - "LabelMinScreenshotDownloadWidth": "\u6700\u5c0f\u622a\u5716\u4e0b\u8f09\u5bec\u5ea6\uff1a", - "TabEpisodes": "\u55ae\u5143", - "ButtonAddScheduledTaskTrigger": "Add Trigger", - "TabGenres": "\u985e\u578b", - "HeaderAddScheduledTaskTrigger": "Add Trigger", - "TabPeople": "\u4eba\u7269", - "ButtonAdd": "\u6dfb\u52a0", - "TabNetworks": "\u7db2\u7d61", - "LabelTriggerType": "\u89f8\u767c\u985e\u578b\uff1a", - "OptionDaily": "\u6bcf\u65e5", - "OptionWeekly": "\u6bcf\u9031", - "OptionOnInterval": "\u6bcf\u6642\u6bb5", - "OptionOnAppStartup": "\u5728\u4f3a\u670d\u5668\u555f\u52d5", - "ButtonHelp": "Help", - "OptionAfterSystemEvent": "\u7cfb\u7d71\u4e8b\u4ef6\u4e4b\u5f8c", - "LabelDay": "\u65e5\uff1a", - "LabelTime": "\u6642\u9593\uff1a", - "OptionRelease": "Official Release", - "LabelEvent": "\u4e8b\u4ef6\uff1a", - "OptionBeta": "\u516c\u6e2c\u7248\u672c", - "OptionWakeFromSleep": "\u5f9e\u4f11\u7720\u4e2d\u56de\u5fa9", - "ButtonInviteUser": "Invite User", - "OptionDev": "Dev (Unstable)", - "LabelEveryXMinutes": "\u6bcf\uff1a", - "HeaderTvTuners": "\u8abf\u8ae7\u5668", - "CategorySync": "Sync", - "HeaderGallery": "Gallery", - "HeaderLatestGames": "\u6700\u65b0\u7684\u904a\u6232", - "RegisterWithPayPal": "Register with PayPal", - "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", + "LabelExit": "\u96e2\u958b", + "LabelVisitCommunity": "\u8a2a\u554f\u793e\u5340", "LabelGithub": "Github", - "Option1Player": "1+", + "LabelSwagger": "Swagger", + "LabelStandard": "\u6a19\u6dee", "LabelApiDocumentation": "Api Documentation", - "Option2Player": "2+", "LabelDeveloperResources": "Developer Resources", - "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", - "LabelManagement": "Management:", - "HeaderMusicVideos": "\u97f3\u6a02\u8996\u983b", - "HeaderSpecialFeatures": "\u7279\u8272", + "LabelBrowseLibrary": "\u700f\u89bd\u5a92\u9ad4\u5eab", + "LabelConfigureServer": "Configure Emby", + "LabelOpenLibraryViewer": "\u6253\u958b\u5a92\u9ad4\u5eab\u700f\u89bd\u5668", + "LabelRestartServer": "\u91cd\u65b0\u555f\u52d5\u4f3a\u5668\u670d", + "LabelShowLogWindow": "\u986f\u793a\u65e5\u8a8c", + "LabelPrevious": "\u4e0a\u4e00\u500b", + "LabelFinish": "\u5b8c\u7d50", + "FolderTypeMixed": "Mixed content", + "LabelNext": "\u4e0b\u4e00\u500b", + "LabelYoureDone": "\u5b8c\u6210!", + "WelcomeToProject": "Welcome to Emby!", + "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", + "TellUsAboutYourself": "\u8acb\u4ecb\u7d39\u4e00\u4e0b\u81ea\u5df1", + "ButtonQuickStartGuide": "Quick start guide", + "LabelYourFirstName": "\u4f60\u7684\u540d\u5b57\uff1a", + "MoreUsersCanBeAddedLater": "\u5f80\u5f8c\u53ef\u4ee5\u5728\u63a7\u5236\u53f0\u5167\u6dfb\u52a0\u66f4\u591a\u7528\u6236\u3002", + "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", + "LabelWindowsService": "Windows\u670d\u52d9", + "AWindowsServiceHasBeenInstalled": "Windows\u670d\u52d9\u5df2\u7d93\u5b89\u88dd\u5b8c\u7562\u3002", + "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", + "WindowsServiceIntro2": "\u5982\u679c\u4f7f\u7528Windows\u670d\u52d9\uff0c\u8acb\u6ce8\u610f\uff0c\u5b83\u4e0d\u80fd\u540c\u6642\u4f5c\u70ba\u7a0b\u5f0f\u76e4\u5716\u6a19\u684c\u9762\u61c9\u7528\u7a0b\u5f0f\u904b\u884c\uff0c\u6240\u4ee5\u4f60\u9700\u8981\u5f9e\u7a0b\u5f0f\u76e4\u5716\u6a19\u9000\u51fa\uff0c\u4ee5\u904b\u884cWindows\u670d\u52d9\u3002\u8a72\u670d\u52d9\u9084\u9700\u8981\u5177\u6709\u7ba1\u7406\u54e1\u6b0a\u9650\uff0c\u9019\u53ef\u4ee5\u901a\u904eWindows\u670d\u52d9\u63a7\u5236\u53f0\u9032\u884c\u914d\u7f6e\u3002\u8acb\u6ce8\u610f\uff0c\u6b64\u6642\u7684 Media Browser \u4f3a\u670d\u5668\u670d\u52d9\u662f\u7121\u6cd5\u81ea\u52d5\u66f4\u65b0\uff0c\u56e0\u6b64\u65b0\u7248\u672c\u5c07\u9700\u8981\u624b\u52d5\u66f4\u65b0\u3002", + "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", + "LabelConfigureSettings": "\u914d\u7f6e\u8a2d\u5b9a", + "LabelEnableVideoImageExtraction": "\u555f\u52d5\u8996\u983b\u622a\u5716\u63d0\u53d6", + "VideoImageExtractionHelp": "\u5c0d\u65bc\u6c92\u6709\u622a\u5716\u4ee5\u53ca\u6211\u5011\u76ee\u524d\u7121\u6cd5\u5f9e\u4e92\u806f\u7db2\u627e\u5230\u6709\u95dc\u622a\u5716\u7684\u8996\u983b\uff0c\u5728\u521d\u59cb\u5a92\u9ad4\u5eab\u6383\u63cf\u6642\uff0c\u6703\u589e\u52a0\u4e00\u4e9b\u984d\u5916\u7684\u6383\u63cf\u6642\u9593\uff0c\u4f46\u4f60\u5c07\u6703\u770b\u5230\u4e00\u500b\u66f4\u6085\u76ee\u7684\u4ecb\u7d39\u4ecb\u9762\u3002", + "LabelEnableChapterImageExtractionForMovies": "\u63d0\u53d6\u96fb\u5f71\u7ae0\u7bc0\u622a\u5716", + "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", + "LabelEnableAutomaticPortMapping": "\u555f\u7528\u81ea\u52d5\u7aef\u53e3\u8f49\u767c", + "LabelEnableAutomaticPortMappingHelp": "UPnP\u5141\u8a31\u8def\u7531\u5668\u81ea\u52d5\u8a2d\u7f6e\u5f9e\u800c\u53ef\u4ee5\u66f4\u65b9\u4fbf\u5730\u9060\u7a0b\u8a2a\u554f\u4f3a\u670d\u5668\u3002\u9019\u53ef\u80fd\u4e0d\u9069\u7528\u65bc\u67d0\u4e9b\u8def\u7531\u5668\u578b\u865f\u3002", + "HeaderTermsOfService": "Emby Terms of Service", + "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", + "OptionIAcceptTermsOfService": "I accept the terms of service", + "ButtonPrivacyPolicy": "Privacy policy", + "ButtonTermsOfService": "Terms of Service", "HeaderDeveloperOptions": "Developer Options", - "HeaderCastCrew": "\u62cd\u651d\u4eba\u54e1\u53ca\u6f14\u54e1", - "LabelLocalHttpServerPortNumber": "Local http port number:", - "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u4efd", "OptionEnableWebClientResponseCache": "Enable web client response caching", - "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", - "ButtonSplitVersionsApart": "Split Versions Apart", - "LabelSyncTempPath": "Temporary file path:", "OptionDisableForDevelopmentHelp": "Configure these as needed for web client development purposes.", - "LabelMissing": "\u7f3a\u5c11", - "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", - "LabelEnableAutomaticPortMap": "Enable automatic port mapping", - "LabelOffline": "\u96e2\u7dda", "OptionEnableWebClientResourceMinification": "Enable web client resource minification", - "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.", - "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.", - "LabelCustomCertificatePath": "Custom certificate path:", - "HeaderFrom": "\u7531", "LabelDashboardSourcePath": "Web client source path:", - "HeaderTo": "\u5230", - "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", - "LabelFrom": "\u7531\uff1a", "LabelDashboardSourcePathHelp": "If running the server from source, specify the path to the dashboard-ui folder. All web client files will be served from this location.", - "LabelFromHelp": "\u4f8b\u5b50\uff1aD:\\Movies (\u5728\u4f3a\u670d\u5668\u4e0a)", - "ButtonAddToCollection": "Add to Collection", - "LabelTo": "\u5230\uff1a", + "ButtonConvertMedia": "Convert media", + "ButtonOrganize": "Organize", + "LinkedToEmbyConnect": "Linked to Emby Connect", + "HeaderSupporterBenefits": "Supporter Benefits", + "HeaderAddUser": "Add User", + "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", + "LabelPinCode": "Pin code:", + "OptionHideWatchedContentFromLatestMedia": "Hide watched content from latest media", + "HeaderSync": "Sync", + "ButtonOk": "OK", + "ButtonCancel": "\u53d6\u6d88", + "ButtonExit": "Exit", + "ButtonNew": "\u5275\u5efa", + "HeaderTV": "TV", + "HeaderAudio": "Audio", + "HeaderVideo": "Video", "HeaderPaths": "Paths", - "LabelToHelp": "\u4f8b\u5b50\uff1a\\\\MyServer\\Movies (\u5ba2\u6236\u7aef\u53ef\u4ee5\u8a2a\u554f\u7684\u8def\u5f91)", - "ButtonAddPathSubstitution": "\u6dfb\u52a0\u66ff\u63db\u8def\u5f91", + "CategorySync": "Sync", + "TabPlaylist": "Playlist", + "HeaderEasyPinCode": "Easy Pin Code", + "HeaderGrownupsOnly": "Grown-ups Only!", + "DividerOr": "-- or --", + "HeaderInstalledServices": "Installed Services", + "HeaderAvailableServices": "Available Services", + "MessageNoServicesInstalled": "No services are currently installed.", + "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", + "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", + "ButtonConfigurePinCode": "Configure pin code", + "HeaderAdultsReadHere": "Adults Read Here!", + "RegisterWithPayPal": "Register with PayPal", + "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", + "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", + "LabelSyncTempPath": "Temporary file path:", + "LabelSyncTempPathHelp": "Specify a custom sync working folder. Converted media created during the sync process will be stored here.", + "LabelCustomCertificatePath": "Custom certificate path:", + "LabelCustomCertificatePathHelp": "Supply your own ssl certificate .pfx file. If omitted, the server will create a self-signed certificate.", "TitleNotifications": "Notifications", - "OptionSpecialEpisode": "\u7279\u96c6", - "OptionMissingEpisode": "\u7f3a\u5c11\u4e86\u7684\u55ae\u5143", "ButtonDonateWithPayPal": "Donate with PayPal", + "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", + "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", + "LabelEnterConnectUserName": "Username or email:", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnableEnhancedMovies": "Enable enhanced movie displays", + "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", + "HeaderSyncJobInfo": "Sync Job", + "FolderTypeMovies": "Movies", + "FolderTypeMusic": "Music", + "FolderTypeAdultVideos": "Adult videos", + "FolderTypePhotos": "Photos", + "FolderTypeMusicVideos": "Music videos", + "FolderTypeHomeVideos": "Home videos", + "FolderTypeGames": "Games", + "FolderTypeBooks": "Books", + "FolderTypeTvShows": "TV", "FolderTypeInherit": "Inherit", - "OptionUnairedEpisode": "\u9084\u672a\u767c\u4f48\u7684\u55ae\u5143", "LabelContentType": "Content type:", - "OptionEpisodeSortName": "\u55ae\u5143\u6392\u5e8f\u540d\u7a31", "TitleScheduledTasks": "Scheduled Tasks", - "OptionSeriesSortName": "\u96fb\u8996\u5287\u540d\u7a31", - "TabNotifications": "Notifications", - "OptionTvdbRating": "Tvdb\u8a55\u5206", - "LinkApi": "Api", - "HeaderTranscodingQualityPreference": "\u8f49\u78bc\u54c1\u8cea\u504f\u597d\uff1a", - "OptionAutomaticTranscodingHelp": "\u4f3a\u670d\u5668\u5c07\u6c7a\u5b9a\u54c1\u8cea\u548c\u901f\u5ea6", - "LabelPublicHttpPort": "Public http port number:", - "OptionHighSpeedTranscodingHelp": "\u4f4e\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u5feb", - "OptionHighQualityTranscodingHelp": "\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u6162", - "OptionPosterCard": "Poster card", - "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", - "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u66f4\u6162\uff0cCPU\u4f7f\u7528\u7387\u9ad8", - "OptionThumbCard": "Thumb card", - "OptionHighSpeedTranscoding": "\u9ad8\u901f\u5ea6", - "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", - "LabelPublicHttpsPort": "Public https port number:", - "OptionHighQualityTranscoding": "\u9ad8\u54c1\u8cea", - "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", - "OptionMaxQualityTranscoding": "\u6700\u9ad8\u54c1\u8cea", - "HeaderRemoteControl": "Remote Control", - "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", - "OptionEnableDebugTranscodingLogging": "\u8a18\u9304\u8f49\u78bc\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c", + "HeaderSetupLibrary": "\u8a2d\u7f6e\u4f60\u7684\u5a92\u9ad4\u5eab", + "ButtonAddMediaFolder": "\u6dfb\u52a0\u5a92\u9ad4\u6587\u4ef6\u593e", + "LabelFolderType": "\u5a92\u9ad4\u6587\u4ef6\u593e\u985e\u578b\uff1a", + "ReferToMediaLibraryWiki": "\u53c3\u7167\u5a92\u9ad4\u5eab\u7ef4\u57fa", + "LabelCountry": "\u570b\u5bb6\uff1a", + "LabelLanguage": "\u8a9e\u8a00\uff1a", + "LabelTimeLimitHours": "Time limit (hours):", + "ButtonJoinTheDevelopmentTeam": "Join the Development Team", + "HeaderPreferredMetadataLanguage": "\u9996\u9078\u5a92\u9ad4\u8cc7\u6599\u8a9e\u8a00\uff1a", + "LabelSaveLocalMetadata": "\u4fdd\u5b58\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599\u5230\u5a92\u9ad4\u6a94\u6848\u6240\u5728\u7684\u6587\u4ef6\u593e", + "LabelSaveLocalMetadataHelp": "\u76f4\u63a5\u4fdd\u5b58\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599\u5230\u5a92\u9ad4\u6240\u5728\u7684\u6587\u4ef6\u593e\u80fd\u4f7f\u7de8\u8f2f\u5de5\u4f5c\u66f4\u5bb9\u6613\u3002", + "LabelDownloadInternetMetadata": "\u5f9e\u4e92\u806f\u7db2\u4e0b\u8f09\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599", + "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", + "TabPreferences": "\u504f\u597d", + "TabPassword": "\u5bc6\u78bc", + "TabLibraryAccess": "\u5a92\u9ad4\u5eab\u700f\u89bd\u6b0a\u9650", + "TabAccess": "Access", + "TabImage": "\u5716\u50cf", + "TabProfile": "\u914d\u7f6e", + "TabMetadata": "\u5a92\u9ad4\u8cc7\u6599", + "TabImages": "\u5716\u50cf", + "TabNotifications": "Notifications", + "TabCollectionTitles": "\u6a19\u984c", + "HeaderDeviceAccess": "Device Access", + "OptionEnableAccessFromAllDevices": "Enable access from all devices", + "OptionEnableAccessToAllChannels": "Enable access to all channels", + "OptionEnableAccessToAllLibraries": "Enable access to all libraries", + "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", + "LabelDisplayMissingEpisodesWithinSeasons": "\u986f\u793a\u7bc0\u76ee\u5b63\u5ea6\u5167\u7f3a\u5c11\u7684\u55ae\u5143", + "LabelUnairedMissingEpisodesWithinSeasons": "\u5728\u7bc0\u76ee\u5b63\u5ea6\u5167\u986f\u793a\u9084\u672a\u767c\u4f48\u7684\u55ae\u5143", + "HeaderVideoPlaybackSettings": "\u8996\u983b\u56de\u653e\u8a2d\u7f6e", + "HeaderPlaybackSettings": "Playback Settings", + "LabelAudioLanguagePreference": "\u97f3\u983b\u8a9e\u8a00\u504f\u597d\u9078\u9805\uff1a", + "LabelSubtitleLanguagePreference": "\u5b57\u5e55\u8a9e\u8a00\u504f\u597d\u9078\u9805\uff1a", "OptionDefaultSubtitles": "Default", - "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", - "LabelEnableHttps": "Report https as external address", - "HeaderUsers": "\u7528\u6236", "OptionOnlyForcedSubtitles": "Only forced subtitles", - "HeaderFilters": "\u904e\u6ffe\uff1a", "OptionAlwaysPlaySubtitles": "Always play subtitles", - "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", - "ButtonFilter": "\u904e\u6ffe", + "OptionNoSubtitles": "No Subtitles", "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.", - "OptionFavorite": "\u6211\u7684\u6700\u611b", "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.", - "LabelHttpsPort": "Local https port number:", - "OptionLikes": "\u559c\u6b61", "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.", - "OptionDislikes": "\u4e0d\u559c\u6b61", "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.", - "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "TabProfiles": "\u914d\u7f6e", + "TabSecurity": "\u5b89\u5168\u6027", + "ButtonAddUser": "\u6dfb\u52a0\u7528\u6236", + "ButtonAddLocalUser": "Add Local User", + "ButtonInviteUser": "Invite User", + "ButtonSave": "\u4fdd\u5b58", + "ButtonResetPassword": "\u91cd\u8a2d\u5bc6\u78bc", + "LabelNewPassword": "\u65b0\u5bc6\u78bc\uff1a", + "LabelNewPasswordConfirm": "\u78ba\u8a8d\u65b0\u5bc6\u78bc\uff1a", + "HeaderCreatePassword": "\u5275\u5efa\u5bc6\u78bc", + "LabelCurrentPassword": "\u7576\u524d\u7684\u5bc6\u78bc\uff1a", + "LabelMaxParentalRating": "\u6700\u5927\u5141\u8a31\u7684\u5bb6\u9577\u8a55\u7d1a\uff1a", + "MaxParentalRatingHelp": "\u5177\u6709\u8f03\u9ad8\u7684\u5bb6\u9577\u8a55\u7d1a\u5167\u5bb9\u5c07\u5f9e\u9019\u7528\u6236\u88ab\u96b1\u85cf", + "LibraryAccessHelp": "\u9078\u64c7\u5a92\u9ad4\u6587\u4ef6\u593e\u8207\u9019\u7528\u6236\u5171\u4eab\u3002\u7ba1\u7406\u54e1\u5c07\u53ef\u4ee5\u4f7f\u7528\u5a92\u9ad4\u8cc7\u6599\u64da\u7ba1\u7406\u5668\u7de8\u8f2f\u6240\u6709\u7684\u5a92\u9ad4\u6587\u4ef6\u593e\u3002", + "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "ButtonDeleteImage": "\u522a\u9664\u5716\u50cf", + "LabelSelectUsers": "Select users:", + "ButtonUpload": "\u4e0a\u8f09", + "HeaderUploadNewImage": "\u4e0a\u8f09\u65b0\u5716\u50cf", + "LabelDropImageHere": "Drop image here", + "ImageUploadAspectRatioHelp": "\u63a8\u85a6\u4f7f\u67091:1\u5bec\u9ad8\u6bd4\u4f8b\u7684\u5716\u50cf\u3002\u53ea\u5141\u8a31JPG\/PNG\u683c\u5f0f", + "MessageNothingHere": "\u9019\u88e1\u6c92\u6709\u4ec0\u9ebc\u3002", + "MessagePleaseEnsureInternetMetadata": "\u8acb\u78ba\u4fdd\u5df2\u555f\u7528\u5f9e\u4e92\u806f\u7db2\u4e0b\u8f09\u5a92\u9ad4\u8cc7\u6599\u3002", + "TabSuggested": "\u5efa\u8b70", + "TabSuggestions": "Suggestions", + "TabLatest": "\u6700\u65b0", + "TabUpcoming": "\u5373\u5c07\u767c\u5e03", + "TabShows": "\u7bc0\u76ee", + "TabEpisodes": "\u55ae\u5143", + "TabGenres": "\u985e\u578b", + "TabPeople": "\u4eba\u7269", + "TabNetworks": "\u7db2\u7d61", + "HeaderUsers": "\u7528\u6236", + "HeaderFilters": "\u904e\u6ffe\uff1a", + "ButtonFilter": "\u904e\u6ffe", + "OptionFavorite": "\u6211\u7684\u6700\u611b", + "OptionLikes": "\u559c\u6b61", + "OptionDislikes": "\u4e0d\u559c\u6b61", "OptionActors": "\u6f14\u54e1", - "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", "OptionGuestStars": "\u7279\u9080\u660e\u661f", - "HeaderCredits": "Credits", "OptionDirectors": "\u5c0e\u6f14", - "TabCollections": "Collections", "OptionWriters": "\u4f5c\u8005", - "TabFavorites": "Favorites", "OptionProducers": "\u5236\u7247\u4eba", - "TabMyLibrary": "My Library", - "HeaderServices": "Services", "HeaderResume": "Resume", - "LabelCustomizeOptionsPerMediaType": "Customize for media type:", "HeaderNextUp": "\u4e0b\u4e00\u96c6", "NoNextUpItemsMessage": "\u6c92\u6709\u627e\u5230\u3002\u958b\u59cb\u770b\u4f60\u7684\u7bc0\u76ee\uff01", "HeaderLatestEpisodes": "\u6700\u65b0\u7bc0\u76ee\u55ae\u5143", @@ -219,42 +200,32 @@ "TabMusicVideos": "Music Videos", "ButtonSort": "\u6392\u5e8f", "HeaderSortBy": "\u6392\u5e8f\u65b9\u5f0f\uff1a", - "OptionEnableAccessToAllChannels": "Enable access to all channels", "HeaderSortOrder": "\u6392\u5e8f\u6b21\u5e8f\uff1a", - "LabelAutomaticUpdates": "Enable automatic updates", "OptionPlayed": "\u5df2\u64ad\u653e", - "LabelFanartApiKey": "Personal api key:", "OptionUnplayed": "\u672a\u64ad\u653e", - "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", "OptionAscending": "\u5347\u5e8f", "OptionDescending": "\u964d\u5e8f", "OptionRuntime": "\u64ad\u653e\u9577\u5ea6", + "OptionReleaseDate": "Release Date", "OptionPlayCount": "\u64ad\u653e\u6b21\u6578", "OptionDatePlayed": "\u64ad\u653e\u65e5\u671f", - "HeaderRepeatingOptions": "Repeating Options", "OptionDateAdded": "\u6dfb\u52a0\u65e5\u671f", - "HeaderTV": "TV", "OptionAlbumArtist": "\u5c08\u8f2f\u6b4c\u624b", - "HeaderTermsOfService": "Emby Terms of Service", - "LabelCustomCss": "Custom css:", - "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionArtist": "\u6b4c\u624b", - "MessagePleaseAcceptTermsOfService": "Please accept the terms of service and privacy policy before continuing.", - "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "OptionAlbum": "\u5c08\u8f2f", - "OptionIAcceptTermsOfService": "I accept the terms of service", - "LabelCustomCssHelp": "Apply your own custom css to the web interface.", "OptionTrackName": "\u66f2\u76ee\u540d\u7a31", - "ButtonPrivacyPolicy": "Privacy policy", - "LabelSelectUsers": "Select users:", "OptionCommunityRating": "\u793e\u5340\u8a55\u5206", - "ButtonTermsOfService": "Terms of Service", "OptionNameSort": "\u540d\u5b57", + "OptionFolderSort": "Folders", "OptionBudget": "\u9810\u7b97", - "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", "OptionRevenue": "\u6536\u5165", "OptionPoster": "\u6d77\u5831", + "OptionPosterCard": "Poster card", + "OptionBackdrop": "\u80cc\u666f", "OptionTimeline": "\u6642\u9593\u8ef8", + "OptionThumb": "\u7e2e\u7565\u5716", + "OptionThumbCard": "Thumb card", + "OptionBanner": "\u6a6b\u5411\u5716", "OptionCriticRating": "\u8a55\u8ad6\u5bb6\u8a55\u50f9", "OptionVideoBitrate": "\u8996\u983b\u6bd4\u7279\u7387", "OptionResumable": "\u53ef\u6062\u5fa9", @@ -262,676 +233,833 @@ "ScheduledTasksTitle": "Scheduled Tasks", "TabMyPlugins": "\u6211\u7684\u63d2\u4ef6", "TabCatalog": "\u76ee\u9304", - "ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.", - "TellUsAboutYourself": "\u8acb\u4ecb\u7d39\u4e00\u4e0b\u81ea\u5df1", + "TitlePlugins": "Plugins", "HeaderAutomaticUpdates": "\u81ea\u52d5\u66f4\u65b0", - "LabelYourFirstName": "\u4f60\u7684\u540d\u5b57\uff1a", - "LabelPinCode": "Pin code:", - "MoreUsersCanBeAddedLater": "\u5f80\u5f8c\u53ef\u4ee5\u5728\u63a7\u5236\u53f0\u5167\u6dfb\u52a0\u66f4\u591a\u7528\u6236\u3002", "HeaderNowPlaying": "\u6b63\u5728\u64ad\u653e", - "UserProfilesIntro": "Emby includes built-in support for user profiles, enabling each user to have their own display settings, playstate and parental controls.", "HeaderLatestAlbums": "\u6700\u65b0\u5c08\u8f2f", - "LabelWindowsService": "Windows\u670d\u52d9", "HeaderLatestSongs": "\u6700\u65b0\u6b4c\u66f2", - "ButtonExit": "Exit", - "ButtonConvertMedia": "Convert media", - "AWindowsServiceHasBeenInstalled": "Windows\u670d\u52d9\u5df2\u7d93\u5b89\u88dd\u5b8c\u7562\u3002", "HeaderRecentlyPlayed": "\u6700\u8fd1\u64ad\u653e", - "LabelTimeLimitHours": "Time limit (hours):", - "WindowsServiceIntro1": "Emby Server normally runs as a desktop application with a tray icon, but if you prefer to run it as a background service, it can be started from the windows services control panel instead.", "HeaderFrequentlyPlayed": "\u7d93\u5e38\u64ad\u653e", - "ButtonOrganize": "Organize", - "WindowsServiceIntro2": "\u5982\u679c\u4f7f\u7528Windows\u670d\u52d9\uff0c\u8acb\u6ce8\u610f\uff0c\u5b83\u4e0d\u80fd\u540c\u6642\u4f5c\u70ba\u7a0b\u5f0f\u76e4\u5716\u6a19\u684c\u9762\u61c9\u7528\u7a0b\u5f0f\u904b\u884c\uff0c\u6240\u4ee5\u4f60\u9700\u8981\u5f9e\u7a0b\u5f0f\u76e4\u5716\u6a19\u9000\u51fa\uff0c\u4ee5\u904b\u884cWindows\u670d\u52d9\u3002\u8a72\u670d\u52d9\u9084\u9700\u8981\u5177\u6709\u7ba1\u7406\u54e1\u6b0a\u9650\uff0c\u9019\u53ef\u4ee5\u901a\u904eWindows\u670d\u52d9\u63a7\u5236\u53f0\u9032\u884c\u914d\u7f6e\u3002\u8acb\u6ce8\u610f\uff0c\u6b64\u6642\u7684 Media Browser \u4f3a\u670d\u5668\u670d\u52d9\u662f\u7121\u6cd5\u81ea\u52d5\u66f4\u65b0\uff0c\u56e0\u6b64\u65b0\u7248\u672c\u5c07\u9700\u8981\u624b\u52d5\u66f4\u65b0\u3002", "DevBuildWarning": "\u958b\u767c\u7248\u672c\u662f\u6700\u524d\u6cbf\u7684\u3002\u7d93\u5e38\u767c\u4f48\uff0c\u4f46\u9019\u4e9b\u7248\u672c\u5c1a\u672a\u7d93\u904e\u6e2c\u8a66\u3002\u7a0b\u5f0f\u53ef\u80fd\u6703\u5d29\u6f70\uff0c\u6240\u6709\u529f\u80fd\u53ef\u80fd\u7121\u6cd5\u6b63\u5e38\u5de5\u4f5c\u3002", - "HeaderGrownupsOnly": "Grown-ups Only!", - "WizardCompleted": "That's all we need for now. Emby has begun collecting information about your media library. Check out some of our apps, and then click Finish<\/b> to view the Server Dashboard<\/b>.", - "ButtonJoinTheDevelopmentTeam": "Join the Development Team", - "LabelConfigureSettings": "\u914d\u7f6e\u8a2d\u5b9a", - "LabelEnableVideoImageExtraction": "\u555f\u52d5\u8996\u983b\u622a\u5716\u63d0\u53d6", - "DividerOr": "-- or --", - "OptionEnableAccessToAllLibraries": "Enable access to all libraries", - "VideoImageExtractionHelp": "\u5c0d\u65bc\u6c92\u6709\u622a\u5716\u4ee5\u53ca\u6211\u5011\u76ee\u524d\u7121\u6cd5\u5f9e\u4e92\u806f\u7db2\u627e\u5230\u6709\u95dc\u622a\u5716\u7684\u8996\u983b\uff0c\u5728\u521d\u59cb\u5a92\u9ad4\u5eab\u6383\u63cf\u6642\uff0c\u6703\u589e\u52a0\u4e00\u4e9b\u984d\u5916\u7684\u6383\u63cf\u6642\u9593\uff0c\u4f46\u4f60\u5c07\u6703\u770b\u5230\u4e00\u500b\u66f4\u6085\u76ee\u7684\u4ecb\u7d39\u4ecb\u9762\u3002", - "LabelEnableChapterImageExtractionForMovies": "\u63d0\u53d6\u96fb\u5f71\u7ae0\u7bc0\u622a\u5716", - "HeaderInstalledServices": "Installed Services", - "LabelChapterImageExtractionForMoviesHelp": "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 as a nightly scheduled task, although this is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "TitlePlugins": "Plugins", - "HeaderToAccessPleaseEnterEasyPinCode": "To access, please enter your easy pin code", - "LabelEnableAutomaticPortMapping": "\u555f\u7528\u81ea\u52d5\u7aef\u53e3\u8f49\u767c", - "HeaderSupporterBenefits": "Supporter Benefits", - "LabelEnableAutomaticPortMappingHelp": "UPnP\u5141\u8a31\u8def\u7531\u5668\u81ea\u52d5\u8a2d\u7f6e\u5f9e\u800c\u53ef\u4ee5\u66f4\u65b9\u4fbf\u5730\u9060\u7a0b\u8a2a\u554f\u4f3a\u670d\u5668\u3002\u9019\u53ef\u80fd\u4e0d\u9069\u7528\u65bc\u67d0\u4e9b\u8def\u7531\u5668\u578b\u865f\u3002", - "HeaderAvailableServices": "Available Services", - "ButtonOk": "OK", - "KidsModeAdultInstruction": "Click the lock icon in the bottom right to configure or leave kids mode. Your pin code will be required.", - "ButtonCancel": "\u53d6\u6d88", - "HeaderAddUser": "Add User", - "HeaderSetupLibrary": "\u8a2d\u7f6e\u4f60\u7684\u5a92\u9ad4\u5eab", - "MessageNoServicesInstalled": "No services are currently installed.", - "ButtonAddMediaFolder": "\u6dfb\u52a0\u5a92\u9ad4\u6587\u4ef6\u593e", - "ButtonConfigurePinCode": "Configure pin code", - "LabelFolderType": "\u5a92\u9ad4\u6587\u4ef6\u593e\u985e\u578b\uff1a", - "LabelAddConnectSupporterHelp": "To add a user who isn't listed, you'll need to first link their account to Emby Connect from their user profile page.", - "ReferToMediaLibraryWiki": "\u53c3\u7167\u5a92\u9ad4\u5eab\u7ef4\u57fa", - "HeaderAdultsReadHere": "Adults Read Here!", - "LabelCountry": "\u570b\u5bb6\uff1a", - "LabelLanguage": "\u8a9e\u8a00\uff1a", - "HeaderPreferredMetadataLanguage": "\u9996\u9078\u5a92\u9ad4\u8cc7\u6599\u8a9e\u8a00\uff1a", - "LabelEnableEnhancedMovies": "Enable enhanced movie displays", - "LabelSaveLocalMetadata": "\u4fdd\u5b58\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599\u5230\u5a92\u9ad4\u6a94\u6848\u6240\u5728\u7684\u6587\u4ef6\u593e", - "LabelSaveLocalMetadataHelp": "\u76f4\u63a5\u4fdd\u5b58\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599\u5230\u5a92\u9ad4\u6240\u5728\u7684\u6587\u4ef6\u593e\u80fd\u4f7f\u7de8\u8f2f\u5de5\u4f5c\u66f4\u5bb9\u6613\u3002", - "LabelDownloadInternetMetadata": "\u5f9e\u4e92\u806f\u7db2\u4e0b\u8f09\u5a92\u9ad4\u5716\u50cf\u53ca\u8cc7\u6599", - "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", - "HeaderDeviceAccess": "Device Access", - "LabelDownloadInternetMetadataHelp": "Emby Server can download information about your media to enable rich presentations.", - "OptionThumb": "\u7e2e\u7565\u5716", - "LabelExit": "\u96e2\u958b", - "OptionBanner": "\u6a6b\u5411\u5716", - "LabelVisitCommunity": "\u8a2a\u554f\u793e\u5340", "LabelVideoType": "\u8996\u983b\u985e\u578b\uff1a", "OptionBluray": "\u85cd\u5149", - "LabelSwagger": "Swagger", "OptionDvd": "DVD", - "LabelStandard": "\u6a19\u6dee", "OptionIso": "\u93e1\u50cf\u6a94", "Option3D": "3D", - "OptionEnableAccessFromAllDevices": "Enable access from all devices", - "LabelBrowseLibrary": "\u700f\u89bd\u5a92\u9ad4\u5eab", "LabelFeatures": "\u529f\u80fd\uff1a", - "DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.", - "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.", + "LabelService": "Service:", + "LabelStatus": "Status:", + "LabelVersion": "Version:", + "LabelLastResult": "Last result:", "OptionHasSubtitles": "\u5b57\u5e55", - "LabelOpenLibraryViewer": "\u6253\u958b\u5a92\u9ad4\u5eab\u700f\u89bd\u5668", "OptionHasTrailer": "Trailer", - "LabelRestartServer": "\u91cd\u65b0\u555f\u52d5\u4f3a\u5668\u670d", "OptionHasThemeSong": "\u4e3b\u984c\u66f2", - "LabelShowLogWindow": "\u986f\u793a\u65e5\u8a8c", "OptionHasThemeVideo": "\u4e3b\u984c\u8996\u983b", - "LabelPrevious": "\u4e0a\u4e00\u500b", "TabMovies": "\u96fb\u5f71", - "LabelFinish": "\u5b8c\u7d50", "TabStudios": "\u5de5\u4f5c\u5ba4", - "FolderTypeMixed": "Mixed content", - "LabelNext": "\u4e0b\u4e00\u500b", "TabTrailers": "\u9810\u544a", - "FolderTypeMovies": "Movies", - "LabelYoureDone": "\u5b8c\u6210!", + "LabelArtists": "Artists:", + "LabelArtistsHelp": "Separate multiple using ;", "HeaderLatestMovies": "\u6700\u65b0\u96fb\u5f71", - "FolderTypeMusic": "Music", - "ButtonPlayTrailer": "Trailer", - "HeaderSyncRequiresSupporterMembership": "Sync Requires a Supporter Membership", "HeaderLatestTrailers": "\u6700\u65b0\u9810\u544a", - "FolderTypeAdultVideos": "Adult videos", "OptionHasSpecialFeatures": "Special Features", - "FolderTypePhotos": "Photos", - "ButtonSubmit": "Submit", - "HeaderEnjoyDayTrial": "Enjoy a 14 Day Free Trial", "OptionImdbRating": "IMDB\u8a55\u5206", - "FolderTypeMusicVideos": "Music videos", - "LabelFailed": "Failed", "OptionParentalRating": "\u5bb6\u9577\u8a55\u7d1a", - "FolderTypeHomeVideos": "Home videos", - "LabelSeries": "Series:", "OptionPremiereDate": "\u9996\u6620\u65e5\u671f", - "FolderTypeGames": "Games", - "ButtonRefresh": "Refresh", "TabBasic": "\u57fa\u672c", - "FolderTypeBooks": "Books", - "HeaderPlaybackSettings": "Playback Settings", "TabAdvanced": "\u9032\u968e", - "FolderTypeTvShows": "TV", "HeaderStatus": "\u72c0\u614b", "OptionContinuing": "\u6301\u7e8c", "OptionEnded": "\u5b8c\u7d50", - "HeaderSync": "Sync", - "TabPreferences": "\u504f\u597d", "HeaderAirDays": "Air Days", - "OptionReleaseDate": "Release Date", - "TabPassword": "\u5bc6\u78bc", - "HeaderEasyPinCode": "Easy Pin Code", "OptionSunday": "\u661f\u671f\u5929", - "LabelArtists": "Artists:", - "TabLibraryAccess": "\u5a92\u9ad4\u5eab\u700f\u89bd\u6b0a\u9650", - "TitleAutoOrganize": "Auto-Organize", "OptionMonday": "\u661f\u671f\u4e00", - "LabelArtistsHelp": "Separate multiple using ;", - "TabImage": "\u5716\u50cf", - "TabActivityLog": "Activity Log", "OptionTuesday": "\u661f\u671f\u4e8c", - "ButtonAdvancedRefresh": "Advanced Refresh", - "TabProfile": "\u914d\u7f6e", - "HeaderName": "Name", "OptionWednesday": "\u661f\u671f\u4e09", - "LabelDisplayMissingEpisodesWithinSeasons": "\u986f\u793a\u7bc0\u76ee\u5b63\u5ea6\u5167\u7f3a\u5c11\u7684\u55ae\u5143", - "HeaderDate": "Date", "OptionThursday": "\u661f\u671f\u56db", - "LabelUnairedMissingEpisodesWithinSeasons": "\u5728\u7bc0\u76ee\u5b63\u5ea6\u5167\u986f\u793a\u9084\u672a\u767c\u4f48\u7684\u55ae\u5143", - "HeaderSource": "Source", "OptionFriday": "\u661f\u671f\u4e94", - "ButtonAddLocalUser": "Add Local User", - "HeaderVideoPlaybackSettings": "\u8996\u983b\u56de\u653e\u8a2d\u7f6e", - "HeaderDestination": "Destination", "OptionSaturday": "\u661f\u671f\u516d", - "LabelAudioLanguagePreference": "\u97f3\u983b\u8a9e\u8a00\u504f\u597d\u9078\u9805\uff1a", - "HeaderProgram": "Program", "HeaderManagement": "Management", - "OptionMissingTmdbId": "\u7f3a\u5c11TMDB\u7de8\u865f", - "LabelSubtitleLanguagePreference": "\u5b57\u5e55\u8a9e\u8a00\u504f\u597d\u9078\u9805\uff1a", - "HeaderClients": "Clients", + "LabelManagement": "Management:", "OptionMissingImdbId": "\u7f3a\u5c11IMDB\u7de8\u865f", - "OptionIsHD": "\u9ad8\u6e05", - "HeaderAudio": "Audio", - "LabelCompleted": "Completed", "OptionMissingTvdbId": "\u7f3a\u5c11TheTVDB\u7de8\u865f", - "OptionIsSD": "\u6a19\u6e05", - "ButtonQuickStartGuide": "Quick start guide", - "TabProfiles": "\u914d\u7f6e", "OptionMissingOverview": "\u7f3a\u5c11\u6982\u8ff0", + "OptionFileMetadataYearMismatch": "\u6a94\u6848\/\u5a92\u9ad4\u8cc7\u6599\u5e74\u4efd\u4e0d\u5339\u914d", + "TabGeneral": "\u4e00\u822c", + "TitleSupport": "\u652f\u63f4", + "LabelSeasonNumber": "Season number", + "TabLog": "\u65e5\u8a8c", + "LabelEpisodeNumber": "Episode number", + "TabAbout": "\u95dc\u65bc", + "TabSupporterKey": "\u652f\u6301\u8005\u5e8f\u865f", + "TabBecomeSupporter": "\u6210\u70ba\u652f\u6301\u8005", + "ProjectHasCommunity": "Emby has a thriving community of users and contributors.", + "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", + "SearchKnowledgeBase": "\u641c\u7d22\u77e5\u8b58\u5eab", + "VisitTheCommunity": "\u8a2a\u554f\u793e\u5340", + "VisitProjectWebsite": "Visit the Emby Web Site", + "VisitProjectWebsiteLong": "Visit the Emby Web site to catch the latest news and keep up with the developer blog.", + "OptionHideUser": "\u5f9e\u767b\u9304\u9801\u9762\u96b1\u85cf\u6b64\u7528\u6236", + "OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.", + "OptionDisableUser": "\u7981\u7528\u6b64\u7528\u6236", + "OptionDisableUserHelp": "\u88ab\u7981\u7528\u7684\u7528\u6236\u5c07\u4e0d\u5141\u8a31\u9023\u63a5\u4f3a\u670d\u5668\u3002\u73fe\u6709\u7684\u9023\u63a5\u5c07\u88ab\u5373\u6642\u7d42\u6b62\u3002", + "HeaderAdvancedControl": "\u9ad8\u7d1a\u63a7\u5236", + "LabelName": "\u540d\u5b57\uff1a", + "ButtonHelp": "Help", + "OptionAllowUserToManageServer": "\u5141\u8a31\u9019\u7528\u6236\u7ba1\u7406\u4f3a\u670d\u5668", + "HeaderFeatureAccess": "\u53ef\u4ee5\u4f7f\u7528\u7684\u529f\u80fd", + "OptionAllowMediaPlayback": "Allow media playback", + "OptionAllowBrowsingLiveTv": "Allow Live TV access", + "OptionAllowDeleteLibraryContent": "Allow media deletion", + "OptionAllowManageLiveTv": "Allow Live TV recording management", + "OptionAllowRemoteControlOthers": "Allow remote control of other users", + "OptionAllowRemoteSharedDevices": "Allow remote control of shared devices", + "OptionAllowRemoteSharedDevicesHelp": "Dlna devices are considered shared until a user begins controlling it.", + "OptionAllowLinkSharing": "Allow social media sharing", + "OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire based on your server sharing settings.", + "HeaderSharing": "Sharing", + "HeaderRemoteControl": "Remote Control", + "OptionMissingTmdbId": "\u7f3a\u5c11TMDB\u7de8\u865f", + "OptionIsHD": "\u9ad8\u6e05", + "OptionIsSD": "\u6a19\u6e05", "OptionMetascore": "\u8a55\u5206", - "HeaderSyncJobInfo": "Sync Job", - "TabSecurity": "\u5b89\u5168\u6027", - "HeaderVideo": "Video", - "LabelSkipped": "Skipped", - "OptionFileMetadataYearMismatch": "\u6a94\u6848\/\u5a92\u9ad4\u8cc7\u6599\u5e74\u4efd\u4e0d\u5339\u914d", "ButtonSelect": "\u9078\u64c7", - "ButtonAddUser": "\u6dfb\u52a0\u7528\u6236", - "HeaderEpisodeOrganization": "Episode Organization", - "TabGeneral": "\u4e00\u822c", "ButtonGroupVersions": "\u7248\u672c", - "TabGuide": "\u6307\u5357", - "ButtonSave": "\u4fdd\u5b58", - "TitleSupport": "\u652f\u63f4", + "ButtonAddToCollection": "Add to Collection", "PismoMessage": "\u901a\u904e\u6350\u8d08\u7684\u8edf\u4ef6\u8a31\u53ef\u8b49\u4f7f\u7528Pismo File Mount\u3002", - "TabChannels": "\u983b\u5ea6", - "ButtonResetPassword": "\u91cd\u8a2d\u5bc6\u78bc", - "LabelSeasonNumber": "Season number:", - "TabLog": "\u65e5\u8a8c", + "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.", + "HeaderCredits": "Credits", "PleaseSupportOtherProduces": "\u8acb\u652f\u6301\u6211\u5011\u5176\u4ed6\u7684\u514d\u8cbb\u7522\u54c1\uff1a", - "HeaderChannels": "\u983b\u5ea6", - "LabelNewPassword": "\u65b0\u5bc6\u78bc\uff1a", - "LabelEpisodeNumber": "Episode number:", - "TabAbout": "\u95dc\u65bc", "VersionNumber": "\u7248\u672c{0}", - "TabRecordings": "\u9304\u5f71", - "LabelNewPasswordConfirm": "\u78ba\u8a8d\u65b0\u5bc6\u78bc\uff1a", - "LabelEndingEpisodeNumber": "Ending episode number:", - "TabSupporterKey": "\u652f\u6301\u8005\u5e8f\u865f", "TabPaths": "\u8def\u5f91", - "TabScheduled": "\u9810\u5b9a", - "HeaderCreatePassword": "\u5275\u5efa\u5bc6\u78bc", - "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", - "TabBecomeSupporter": "\u6210\u70ba\u652f\u6301\u8005", "TabServer": "\u4f3a\u670d\u5668", - "TabSeries": "\u96fb\u8996\u5287", - "LabelCurrentPassword": "\u7576\u524d\u7684\u5bc6\u78bc\uff1a", - "HeaderSupportTheTeam": "Support the Emby Team", "TabTranscoding": "\u8f49\u78bc\u4e2d", - "ButtonCancelRecording": "\u53d6\u6d88\u9304\u5f71", - "LabelMaxParentalRating": "\u6700\u5927\u5141\u8a31\u7684\u5bb6\u9577\u8a55\u7d1a\uff1a", - "LabelSupportAmount": "Amount (USD)", - "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Emby.", "TitleAdvanced": "\u9032\u968e", - "HeaderPrePostPadding": "Pre\/Post Padding", - "MaxParentalRatingHelp": "\u5177\u6709\u8f03\u9ad8\u7684\u5bb6\u9577\u8a55\u7d1a\u5167\u5bb9\u5c07\u5f9e\u9019\u7528\u6236\u88ab\u96b1\u85cf", - "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.", - "SearchKnowledgeBase": "\u641c\u7d22\u77e5\u8b58\u5eab", "LabelAutomaticUpdateLevel": "\u81ea\u52d5\u66f4\u65b0\u7d1a\u5225", - "LabelPrePaddingMinutes": "Pre-padding minutes:", - "LibraryAccessHelp": "\u9078\u64c7\u5a92\u9ad4\u6587\u4ef6\u593e\u8207\u9019\u7528\u6236\u5171\u4eab\u3002\u7ba1\u7406\u54e1\u5c07\u53ef\u4ee5\u4f7f\u7528\u5a92\u9ad4\u8cc7\u6599\u64da\u7ba1\u7406\u5668\u7de8\u8f2f\u6240\u6709\u7684\u5a92\u9ad4\u6587\u4ef6\u593e\u3002", - "ButtonEnterSupporterKey": "Enter supporter key", - "VisitTheCommunity": "\u8a2a\u554f\u793e\u5340", + "OptionRelease": "Official Release", + "OptionBeta": "\u516c\u6e2c\u7248\u672c", + "OptionDev": "Dev (Unstable)", "LabelAllowServerAutoRestart": "\u5141\u8a31\u4f3a\u670d\u5668\u81ea\u52d5\u91cd\u65b0\u555f\u52d5\u53bb\u5b89\u88dd\u66f4\u65b0\u8cc7\u6599", - "OptionPrePaddingRequired": "Pre-padding is required in order to record.", - "OptionNoSubtitles": "No Subtitles", - "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.", "LabelAllowServerAutoRestartHelp": "\u4f3a\u670d\u5668\u53ea\u6703\u5728\u6c92\u6709\u6d3b\u8e8d\u7528\u6236\u53ca\u7a7a\u9592\u671f\u9593\u91cd\u65b0\u555f\u52d5\u3002", - "LabelPostPaddingMinutes": "Post-padding minutes:", - "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.", "LabelEnableDebugLogging": "\u8a18\u9304\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c", - "OptionPostPaddingRequired": "Post-padding is required in order to record.", - "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.", - "OptionHideUser": "\u5f9e\u767b\u9304\u9801\u9762\u96b1\u85cf\u6b64\u7528\u6236", "LabelRunServerAtStartup": "\u5728\u7cfb\u7d71\u555f\u52d5\u6642\u904b\u884c\u4f3a\u670d\u5668", - "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e\u7684\u96fb\u8996\u7bc0\u76ee", - "ButtonNew": "\u5275\u5efa", - "OptionEnableEpisodeOrganization": "Enable new episode organization", - "OptionDisableUser": "\u7981\u7528\u6b64\u7528\u6236", "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.", - "HeaderUpcomingTV": "\u5373\u5c07\u767c\u4f48\u7684\u96fb\u8996\u7bc0\u76ee", - "TabMetadata": "\u5a92\u9ad4\u8cc7\u6599", - "LabelWatchFolder": "Watch folder:", - "OptionDisableUserHelp": "\u88ab\u7981\u7528\u7684\u7528\u6236\u5c07\u4e0d\u5141\u8a31\u9023\u63a5\u4f3a\u670d\u5668\u3002\u73fe\u6709\u7684\u9023\u63a5\u5c07\u88ab\u5373\u6642\u7d42\u6b62\u3002", "ButtonSelectDirectory": "\u9078\u64c7\u76ee\u9304", - "TabStatus": "Status", - "TabImages": "\u5716\u50cf", - "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.", - "HeaderAdvancedControl": "\u9ad8\u7d1a\u63a7\u5236", "LabelCustomPaths": "\u6307\u5b9a\u6240\u9700\u7684\u81ea\u5b9a\u7fa9\u8def\u5f91\u3002\u7559\u7a7a\u4ee5\u4f7f\u7528\u9ed8\u8a8d\u503c\u3002", - "TabSettings": "\u8a2d\u5b9a", - "TabCollectionTitles": "\u6a19\u984c", - "TabPlaylist": "Playlist", - "ButtonViewScheduledTasks": "View scheduled tasks", - "LabelName": "\u540d\u5b57\uff1a", "LabelCachePath": "\u7de9\u5b58\u8def\u5f91\uff1a", - "ButtonRefreshGuideData": "\u5237\u65b0\u96fb\u8996\u6307\u5357\u8cc7\u6599", - "LabelMinFileSizeForOrganize": "Minimum file size (MB):", - "OptionAllowUserToManageServer": "\u5141\u8a31\u9019\u7528\u6236\u7ba1\u7406\u4f3a\u670d\u5668", "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.", - "OptionPriority": "\u512a\u5148", - "ButtonRemove": "\u6e05\u9664", - "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.", - "HeaderFeatureAccess": "\u53ef\u4ee5\u4f7f\u7528\u7684\u529f\u80fd", "LabelImagesByNamePath": "\u540d\u7a31\u5716\u50cf\u6587\u4ef6\u593e\u8def\u5f91\uff1a", - "OptionRecordOnAllChannels": "Record on all channels", - "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", - "TabAccess": "Access", - "LabelSeasonFolderPattern": "Season folder pattern:", - "OptionAllowMediaPlayback": "Allow media playback", "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, genre and studio images.", - "OptionRecordAnytime": "Record at any time", - "HeaderAddTitles": "\u6dfb\u52a0\u6a19\u984c", - "OptionAllowBrowsingLiveTv": "Allow Live TV access", "LabelMetadataPath": "\u5a92\u9ad4\u8cc7\u6599\u6587\u4ef6\u593e\u8def\u5f91\uff1a", - "OptionRecordOnlyNewEpisodes": "\u53ea\u9304\u5f71\u6700\u65b0\u7684\u55ae\u5143", - "LabelEnableDlnaPlayTo": "\u64ad\u653e\u5230DLNA\u8a2d\u5099", - "OptionAllowDeleteLibraryContent": "Allow media deletion", "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", + "LabelAutomaticUpdates": "Enable automatic updates", + "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", + "LabelFanartApiKey": "Personal api key:", + "LabelFanartApiKeyHelp": "Requests to fanart without a personal API key return results that were approved over 7 days ago. With a personal API key that drops to 48 hours and if you are also a fanart VIP member that will further drop to around 10 minutes.", + "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. 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": "Emby recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.", + "OptionImageSavingCompatible": "Compatible - Emby\/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": "Record on all channels", + "OptionRecordAnytime": "Record at any time", + "OptionRecordOnlyNewEpisodes": "\u53ea\u9304\u5f71\u6700\u65b0\u7684\u55ae\u5143", + "HeaderRepeatingOptions": "Repeating Options", "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.", + "OptionAutomatic": "\u81ea\u52d5", + "HeaderServices": "Services", + "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": "Add Trigger", + "HeaderAddScheduledTaskTrigger": "Add Trigger", + "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", + "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": "Emby can detect devices within your network and offer the ability to remote control them.", - "OptionAllowManageLiveTv": "Allow Live TV recording management", - "LabelTranscodingTempPath": "\u8f49\u78bc\u81e8\u6642\u8def\u5f91\uff1a", - "HeaderActiveRecordings": "\u6b63\u5728\u9304\u5f71\u7684\u7bc0\u76ee", "LabelEnableDlnaDebugLogging": "\u8a18\u9304DLNA\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c", - "OptionAllowRemoteControlOthers": "Allow remote control of other users", - "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.", - "HeaderLatestRecordings": "\u6700\u65b0\u9304\u5f71\u7684\u7bc0\u76ee", "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", - "TabBasics": "\u57fa\u672c", - "HeaderAllRecordings": "\u6240\u6709\u9304\u5f71", "LabelEnableDlnaClientDiscoveryInterval": "\u5c0b\u627e\u5ba2\u6236\u7aef\u6642\u9593\u9593\u9694\uff08\u79d2\uff09", - "LabelEnterConnectUserName": "Username or email:", - "TabTV": "\u96fb\u8996\u7bc0\u76ee", - "LabelService": "Service:", - "ButtonPlay": "\u64ad\u653e", "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Emby.", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", - "TabGames": "\u904a\u6232", - "LabelStatus": "Status:", - "ButtonEdit": "\u7de8\u8f2f", "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u7fa9\u914d\u7f6e", - "TabMusic": "\u97f3\u6a02", - "LabelVersion": "Version:", - "ButtonRecord": "\u958b\u59cb\u9304\u5f71", "HeaderSystemDlnaProfiles": "\u7cfb\u7d71\u914d\u7f6e", - "TabOthers": "\u5176\u4ed6", - "LabelLastResult": "Last result:", - "ButtonDelete": "\u522a\u9664", "CustomDlnaProfilesHelp": "\u70ba\u65b0\u7684\u8a2d\u5099\u5275\u5efa\u81ea\u5b9a\u7fa9\u914d\u7f6e\u6216\u8986\u84cb\u539f\u6709\u7cfb\u7d71\u914d\u7f6e\u3002", - "HeaderExtractChapterImagesFor": "\u5f9e\u4ee5\u4e0b\u5a92\u9ad4\u63d0\u53d6\u7ae0\u7bc0\u622a\u5716\uff1a", - "OptionRecordSeries": "\u9304\u5f71\u96fb\u8996\u5287", "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.", - "OptionMovies": "Movies", - "HeaderDetails": "\u8a73\u7d30\u8cc7\u6599", "TitleDashboard": "\u63a7\u5236\u53f0", - "OptionEpisodes": "Episodes", "TabHome": "\u9996\u9801", - "OptionOtherVideos": "\u5176\u4ed6\u8996\u983b", "TabInfo": "\u8cc7\u8a0a", - "TitleMetadata": "Metadata", "HeaderLinks": "\u93c8\u63a5", "HeaderSystemPaths": "\u7cfb\u7d71\u8def\u5f91", - "LabelAutomaticUpdatesTmdb": "\u5f9eTheMovieDB.org\u81ea\u52d5\u66f4\u65b0", "LinkCommunity": "\u793e\u5340", - "LabelAutomaticUpdatesTvdb": "\u5f9eTheTVDB.com\u81ea\u52d5\u66f4\u65b0", "LinkGithub": "Github", - "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", + "LinkApi": "Api", "LinkApiDocumentation": "API\u6587\u6a94", - "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", "LabelFriendlyServerName": "\u53cb\u597d\u4f3a\u670d\u5668\u540d\u7a31\uff1a", - "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", - "OptionFolderSort": "Folders", "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", - "LabelConfigureServer": "Configure Emby", - "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. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.", - "OptionBackdrop": "\u80cc\u666f", "LabelPreferredDisplayLanguage": "Preferred display language:", - "LabelMetadataDownloadLanguage": "Preferred download language:", - "TitleLiveTV": "\u96fb\u8996\u529f\u80fd", "LabelPreferredDisplayLanguageHelp": "Translating Emby is an ongoing project and is not yet complete.", - "ButtonAutoScroll": "\u81ea\u52d5\u6efe\u52d5", - "LabelNumberOfGuideDays": "Number of days of guide data to download:", "LabelReadHowYouCanContribute": "\u95b1\u8b80\u95dc\u65bc\u5982\u4f55\u70baMedia Browser\u8ca2\u737b\u3002", + "HeaderNewCollection": "\u65b0\u5408\u96c6", + "ButtonSubmit": "Submit", + "ButtonCreate": "\u5275\u5efa", + "LabelCustomCss": "Custom css:", + "LabelCustomCssHelp": "Apply your own custom css to the web interface.", + "LabelLocalHttpServerPortNumber": "Local http port number:", + "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Emby's http server should bind to.", + "LabelPublicHttpPort": "Public http port number:", + "LabelPublicHttpPortHelp": "The public port number that should be mapped to the local http port.", + "LabelPublicHttpsPort": "Public https port number:", + "LabelPublicHttpsPortHelp": "The public port number that should be mapped to the local https port.", + "LabelEnableHttps": "Report https as external address", + "LabelEnableHttpsHelp": "If enabled, the server will report an https url to clients as it's external address.", + "LabelHttpsPort": "Local https port number:", + "LabelHttpsPortHelp": "The tcp port number that Emby's https server should bind to.", + "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": "External WAN Address:", + "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Emby apps will use it when connecting remotely. Leave empty for automatic detection.", + "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:", + "LabelEndingEpisodeNumber": "Ending episode number:", + "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files", + "HeaderSupportTheTeam": "Support the Emby 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", + "HeaderHelpImproveProject": "Help Improve Emby", + "HeaderRunningTasks": "Running Tasks", + "HeaderActiveDevices": "Active Devices", + "HeaderPendingInstallations": "Pending Installations", + "HeaderServerInformation": "Server Information", "ButtonRestartNow": "Restart Now", - "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.", - "ButtonOptions": "Options", - "NotificationOptionApplicationUpdateInstalled": "Application update installed", "ButtonRestart": "Restart", - "LabelChannelDownloadPath": "Channel content download path:", - "NotificationOptionPluginUpdateInstalled": "Plugin update installed", "ButtonShutdown": "Shutdown", - "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.", - "NotificationOptionPluginInstalled": "Plugin installed", "ButtonUpdateNow": "Update Now", - "LabelChannelDownloadAge": "Delete content after: (days)", - "NotificationOptionPluginUninstalled": "Plugin uninstalled", + "TabHosting": "Hosting", "PleaseUpdateManually": "Please shutdown the server and update manually.", - "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.", - "NotificationOptionTaskFailed": "Scheduled task failure", "NewServerVersionAvailable": "A new version of Emby Server is available!", - "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.", - "NotificationOptionInstallationFailed": "Installation failure", "ServerUpToDate": "Emby Server is up to date", + "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 Emby.", + "MessageInvalidKey": "Supporter key is missing or invalid.", + "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby 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 Emby 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)", + "NotificationOptionCameraImageUploaded": "Camera image uploaded", + "NotificationOptionUserLockedOut": "User locked out", + "HeaderSendNotificationHelp": "By default, notifications are delivered to your 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", - "LabelComponentsUpdated": "The following components have been installed or updated:", + "CategoryApplication": "Application", + "CategoryPlugin": "Plugin", "LabelMessageTitle": "Message title:", - "ButtonNext": "Next", - "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.", "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", - "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles", - "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery and decrease the likelihood of video transcoding.", + "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.", - "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language", "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.", - "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.", "HeaderResponseProfile": "Response Profile", "LabelType": "Type:", - "HeaderHelpImproveProject": "Help Improve Emby", + "LabelPersonRole": "Role:", + "LabelPersonRoleHelp": "Role is generally only applicable to actors.", "LabelProfileContainer": "Container:", "LabelProfileVideoCodecs": "Video codecs:", - "PluginTabAppClassic": "Emby Classic", "LabelProfileAudioCodecs": "Audio codecs:", "LabelProfileCodecs": "Codecs:", - "PluginTabAppTheater": "Emby Theater", "HeaderDirectPlayProfile": "Direct Play Profile", - "ButtonClose": "Close", - "TabView": "View", - "TabSort": "Sort", "HeaderTranscodingProfile": "Transcoding Profile", - "HeaderBecomeProjectSupporter": "Become an Emby Supporter", - "OptionNone": "None", - "TabFilter": "Filter", - "HeaderLiveTv": "Live TV", - "ButtonView": "View", "HeaderCodecProfile": "Codec Profile", - "HeaderReports": "Reports", - "LabelPageSize": "Item limit:", "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.", - "HeaderMetadataManager": "Metadata Manager", - "LabelView": "View:", - "ViewTypePlaylists": "Playlists", - "HeaderPreferences": "Preferences", "HeaderContainerProfile": "Container Profile", - "MessageLoadingChannels": "Loading channel content...", - "ButtonMarkRead": "Mark Read", "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.", - "LabelAlbumArtists": "Album artists:", - "OptionDefaultSort": "Default", - "OptionCommunityMostWatchedSort": "Most Watched", "OptionProfileVideo": "Video", - "NotificationOptionVideoPlaybackStopped": "Video playback stopped", "OptionProfileAudio": "Audio", - "HeaderMyViews": "My Views", "OptionProfileVideoAudio": "Video Audio", - "NotificationOptionAudioPlaybackStopped": "Audio playback stopped", - "ButtonVolumeUp": "Volume up", - "OptionLatestTvRecordings": "Latest recordings", - "NotificationOptionGamePlaybackStopped": "Game playback stopped", - "ButtonVolumeDown": "Volume down", - "ButtonMute": "Mute", "OptionProfilePhoto": "Photo", "LabelUserLibrary": "User library:", "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.", - "ButtonArrowUp": "Up", "OptionPlainStorageFolders": "Display all folders as plain storage folders", - "LabelChapterName": "Chapter {0}", - "NotificationOptionCameraImageUploaded": "Camera image uploaded", - "ButtonArrowDown": "Down", "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\".", - "HeaderNewApiKey": "New Api Key", - "ButtonArrowLeft": "Left", "OptionPlainVideoItems": "Display all videos as plain video items", - "LabelAppName": "App name", - "ButtonArrowRight": "Right", - "LabelAppNameExample": "Example: Sickbeard, NzbDrone", - "TabNfo": "Nfo", - "ButtonBack": "Back", "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\".", - "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", - "ButtonInfo": "Info", "LabelSupportedMediaTypes": "Supported Media Types:", - "ButtonPageUp": "Page Up", "TabIdentification": "Identification", - "ButtonPageDown": "Page Down", + "HeaderIdentification": "Identification", "TabDirectPlay": "Direct Play", - "PageAbbreviation": "PG", "TabContainers": "Containers", - "ButtonHome": "Home", "TabCodecs": "Codecs", - "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.", - "ButtonSettings": "Settings", "TabResponses": "Responses", - "ButtonTakeScreenshot": "Capture Screenshot", "HeaderProfileInformation": "Profile Information", - "ButtonLetterUp": "Letter Up", - "ButtonLetterDown": "Letter Down", "LabelEmbedAlbumArtDidl": "Embed album art in Didl", - "PageButtonAbbreviation": "PG", "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.", - "LetterButtonAbbreviation": "A", - "PlaceholderUsername": "Username", - "TabNowPlaying": "Now Playing", "LabelAlbumArtPN": "Album art PN:", - "TabNavigation": "Navigation", "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:", - "ButtonFullscreen": "Toggle fullscreen", "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.", - "HeaderDisplaySettings": "Display Settings", - "ButtonAudioTracks": "Audio tracks", "LabelIconMaxWidth": "Icon max width:", - "TabPlayTo": "Play To", - "HeaderFeatures": "Features", "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableDlnaServer": "Enable Dlna server", - "HeaderAdvanced": "Advanced", "LabelIconMaxHeight": "Icon max height:", - "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Emby content.", "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.", - "LabelEnableBlastAliveMessages": "Blast alive messages", "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.", - "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.", - "CategoryApplication": "Application", "HeaderProfileServerSettingsHelp": "These values control how Emby Server will present itself to the device.", - "LabelBlastMessageInterval": "Alive message interval (seconds)", - "CategoryPlugin": "Plugin", "LabelMaxBitrate": "Max bitrate:", - "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.", - "NotificationOptionPluginError": "Plugin failure", "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.", - "LabelDefaultUser": "Default user:", + "LabelMaxStreamingBitrate": "Max streaming bitrate:", + "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", + "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", + "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", - "HeaderServerInformation": "Server Information", - "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.", "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.", "LabelFriendlyName": "Friendly name", "LabelManufacturer": "Manufacturer", - "ViewTypeMovies": "Movies", "LabelManufacturerUrl": "Manufacturer url", - "TabNextUp": "Next Up", - "ViewTypeTvShows": "TV", "LabelModelName": "Model name", - "ViewTypeGames": "Games", "LabelModelNumber": "Model number", - "ViewTypeMusic": "Music", "LabelModelDescription": "Model description", - "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", - "ViewTypeBoxSets": "Collections", "LabelModelUrl": "Model url", - "HeaderOtherDisplaySettings": "Display Settings", "LabelSerialNumber": "Serial number", "LabelDeviceDescription": "Device description", - "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:", "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.", - "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.", "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.", - "ViewTypeLiveTvNowPlaying": "Now Airing", "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.", - "ViewTypeMusicFavorites": "Favorites", - "ViewTypeLatestGames": "Latest Games", - "ViewTypeMusicSongs": "Songs", "LabelXDlnaCap": "X-Dlna cap:", - "ViewTypeMusicFavoriteAlbums": "Favorite Albums", - "ViewTypeRecentlyPlayedGames": "Recently Played", "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.", - "ViewTypeMusicFavoriteArtists": "Favorite Artists", - "ViewTypeGameFavorites": "Favorites", - "HeaderViewOrder": "View Order", "LabelXDlnaDoc": "X-Dlna doc:", - "ViewTypeMusicFavoriteSongs": "Favorite Songs", - "HeaderHttpHeaders": "Http Headers", - "ViewTypeGameSystems": "Game Systems", - "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.", - "HeaderIdentificationHeader": "Identification Header", - "ViewTypeGameGenres": "Genres", - "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.", "LabelSonyAggregationFlags": "Sony aggregation flags:", - "LabelValue": "Value:", - "ViewTypeTvResume": "Resume", - "TabChapters": "Chapters", "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.", - "ViewTypeMusicGenres": "Genres", - "LabelMatchType": "Match type:", - "ViewTypeTvNextUp": "Next Up", + "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 Emby 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 and decrease the likelihood of video transcoding.", + "TabSubtitles": "Subtitles", + "TabChapters": "Chapters", "HeaderDownloadChaptersFor": "Download chapter names for:", + "LabelOpenSubtitlesUsername": "Open Subtitles username:", + "LabelOpenSubtitlesPassword": "Open Subtitles password:", + "HeaderChapterDownloadingHelp": "When Emby 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:", + "PluginTabAppClassic": "Emby Classic", + "PluginTabAppTheater": "Emby 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", + "ButtonMore": "More", + "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "TabDisplay": "Display", + "TabLanguages": "Languages", + "TabAppSettings": "App Settings", + "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", + "HeaderOptions": "Options", + "HeaderIdentificationResult": "Identification Result", + "LabelHomePageSection1": "Home page section 1:", + "LabelHomePageSection2": "Home page section 2:", + "LabelHomePageSection3": "Home page section 3:", + "LabelHomePageSection4": "Home page section 4:", + "OptionMyMediaButtons": "My media (buttons)", + "OptionMyMedia": "My media", + "OptionMyMediaSmall": "My media (small)", + "OptionResumablemedia": "Resume", + "OptionLatestMedia": "Latest media", + "OptionLatestChannelMedia": "Latest channel items", + "HeaderLatestChannelItems": "Latest Channel Items", + "OptionNone": "None", + "HeaderLiveTv": "Live TV", + "HeaderReports": "Reports", + "HeaderMetadataManager": "Metadata Manager", + "HeaderSettings": "Settings", + "MessageLoadingChannels": "Loading channel content...", + "MessageLoadingContent": "Loading content...", + "ButtonMarkRead": "Mark Read", + "OptionDefaultSort": "Default", + "OptionCommunityMostWatchedSort": "Most Watched", + "TabNextUp": "Next Up", + "PlaceholderUsername": "Username", + "HeaderBecomeProjectSupporter": "Become an Emby Supporter", + "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 + 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.", + "ButtonDismiss": "Dismiss", + "ButtonEditOtherUserPreferences": "Edit this user's profile, image 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.", + "ButtonOptions": "Options", + "ViewTypePlaylists": "Playlists", + "ViewTypeMovies": "Movies", + "ViewTypeTvShows": "TV", + "ViewTypeGames": "Games", + "ViewTypeMusic": "Music", + "ViewTypeMusicGenres": "Genres", "ViewTypeMusicArtists": "Artists", - "OptionEquals": "Equals", + "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", - "HeaderChapterDownloadingHelp": "When Emby scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.", - "LabelTranscodingContainer": "Container:", - "OptionRegex": "Regex", - "LabelTranscodingVideoCodec": "Video codec:", - "OptionSubstring": "Substring", + "ViewTypeTvShowSeries": "Series", "ViewTypeTvGenres": "Genres", - "LabelTranscodingVideoProfile": "Video profile:", + "ViewTypeTvFavoriteSeries": "Favorite Series", + "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", + "ViewTypeMovieResume": "Resume", + "ViewTypeMovieLatest": "Latest", + "ViewTypeMovieMovies": "Movies", + "ViewTypeMovieCollections": "Collections", + "ViewTypeMovieFavorites": "Favorites", + "ViewTypeMovieGenres": "Genres", + "ViewTypeMusicLatest": "Latest", + "ViewTypeMusicPlaylists": "Playlists", + "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.", + "TabNfo": "Nfo", + "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo 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 Emby Server and Nfo files.", + "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", + "LabelDisplayCollectionsViewHelp": "This will create a separate view to display collections that you've created or have access to. To create a collection, right-click or tap-hold any movie and select 'Add to Collection'. ", + "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", - "LabelTranscodingAudioCodec": "Audio codec:", - "ViewTypeMovieResume": "Resume", "TabLogs": "Logs", - "OptionEnableM2tsMode": "Enable M2ts mode", - "ViewTypeMovieLatest": "Latest", "HeaderServerLogFiles": "Server log files:", - "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.", - "ViewTypeMovieMovies": "Movies", "TabBranding": "Branding", - "OptionEstimateContentLength": "Estimate content length when transcoding", - "HeaderPassword": "Password", - "ViewTypeMovieCollections": "Collections", "HeaderBrandingHelp": "Customize the appearance of Emby to fit the needs of your group or organization.", - "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding", - "HeaderLocalAccess": "Local Access", - "ViewTypeMovieFavorites": "Favorites", "LabelLoginDisclaimer": "Login disclaimer:", - "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.", - "ViewTypeMovieGenres": "Genres", "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.", - "ViewTypeMusicLatest": "Latest", "LabelAutomaticallyDonate": "Automatically donate this amount every month", - "ViewTypeMusicAlbums": "Albums", "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.", - "TabHosting": "Hosting", - "ViewTypeMusicAlbumArtists": "Album Artists", - "LabelDownMixAudioScale": "Audio boost when downmixing:", - "ButtonSync": "Sync", - "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language", - "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.", - "LabelHomePageSection4": "Home page section 4:", - "HeaderChapters": "Chapters", - "LabelSubtitlePlaybackMode": "Subtitle mode:", - "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.", - "ButtonLinkKeys": "Transfer Key", - "OptionLatestChannelMedia": "Latest channel items", - "HeaderResumeSettings": "Resume Settings", - "ViewTypeFolders": "Folders", - "LabelOldSupporterKey": "Old supporter key", - "HeaderLatestChannelItems": "Latest Channel Items", - "LabelDisplayFoldersView": "Display a folders view to show plain media folders", - "LabelNewSupporterKey": "New supporter key", - "TitleRemoteControl": "Remote Control", - "ViewTypeLiveTvRecordingGroups": "Recordings", - "HeaderMultipleKeyLinking": "Transfer to New Key", - "ViewTypeLiveTvChannels": "Channels", - "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", - "TabControls": "Controls", - "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 Emby.", - "MessageInvalidKey": "Supporter key is missing or invalid.", - "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be an Emby Supporter. Please donate and support the continued development of the core product. Thank you.", - "HeaderEpisodes": "Episodes:", - "UserDownloadingItemWithValues": "{0} is downloading {1}", - "OptionMyMediaButtons": "My media (buttons)", - "HeaderHomePage": "Home Page", - "HeaderSettingsForThisDevice": "Settings for This Device", - "OptionMyMedia": "My media", - "OptionAllUsers": "All users", - "ButtonDismiss": "Dismiss", - "OptionAdminUsers": "Administrators", - "OptionDisplayAdultContent": "Display adult content", - "HeaderSearchForSubtitles": "Search for Subtitles", - "OptionCustomUsers": "Custom", - "ButtonMore": "More", - "MessageNoSubtitleSearchResultsFound": "No search results founds.", + "OptionList": "List", + "TabDashboard": "Dashboard", + "TitleServer": "Server", + "LabelCache": "Cache:", + "LabelLogs": "Logs:", + "LabelMetadata": "Metadata:", + "LabelImagesByName": "Images by name:", + "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", "HeaderLatestMusic": "Latest Music", - "OptionMyMediaSmall": "My media (small)", - "TabDisplay": "Display", "HeaderBranding": "Branding", - "TabLanguages": "Languages", "HeaderApiKeys": "Api Keys", - "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:", "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Emby Server. Keys are issued by logging in with an Emby account, or by manually granting the application a key.", - "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.", - "LabelEnableThemeSongs": "Enable theme songs", "HeaderApiKey": "Api Key", - "HeaderSubtitleDownloadingHelp": "When Emby scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.", - "LabelEnableBackdrops": "Enable backdrops", "HeaderApp": "App", - "HeaderDownloadSubtitlesFor": "Download subtitles for:", - "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.", "HeaderDevice": "Device", - "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.", "HeaderUser": "User", "HeaderDateIssued": "Date Issued", - "TabSubtitles": "Subtitles", - "LabelOpenSubtitlesUsername": "Open Subtitles username:", - "OptionAuto": "Auto", - "LabelOpenSubtitlesPassword": "Open Subtitles password:", - "OptionYes": "Yes", - "OptionNo": "No", - "LabelDownloadLanguages": "Download languages:", - "LabelHomePageSection1": "Home page section 1:", - "ButtonRegister": "Register", - "LabelHomePageSection2": "Home page section 2:", - "LabelHomePageSection3": "Home page section 3:", - "OptionResumablemedia": "Resume", - "ViewTypeTvShowSeries": "Series", - "OptionLatestMedia": "Latest media", - "ViewTypeTvFavoriteSeries": "Favorite Series", - "ViewTypeTvFavoriteEpisodes": "Favorite Episodes", - "LabelEpisodeNamePlain": "Episode name", - "LabelSeriesNamePlain": "Series name", - "LabelSeasonNumberPlain": "Season number", - "LabelEpisodeNumberPlain": "Episode number", - "OptionLibraryFolders": "Media folders", - "LabelEndingEpisodeNumberPlain": "Ending episode number", + "LabelChapterName": "Chapter {0}", + "HeaderNewApiKey": "New Api Key", + "LabelAppName": "App name", + "LabelAppNameExample": "Example: Sickbeard, NzbDrone", + "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Emby Server.", + "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:", @@ -939,509 +1067,388 @@ "LabelImage": "Image:", "ButtonBrowseImages": "Browse Images", "HeaderImages": "Images", - "LabelReleaseDate": "Release date:", "HeaderBackdrops": "Backdrops", - "HeaderOptions": "Options", - "LabelWeatherDisplayLocation": "Weather display location:", - "TabUsers": "Users", - "LabelMaxChromecastBitrate": "Max Chromecast bitrate:", - "LabelEndDate": "End date:", "HeaderScreenshots": "Screenshots", - "HeaderIdentificationResult": "Identification Result", - "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country", - "LabelYear": "Year:", "HeaderAddUpdateImage": "Add\/Update Image", - "LabelWeatherDisplayUnit": "Weather display unit:", "LabelJpgPngOnly": "JPG\/PNG only", - "OptionCelsius": "Celsius", - "TabAppSettings": "App Settings", "LabelImageType": "Image type:", - "HeaderActivity": "Activity", - "LabelChannelDownloadSizeLimit": "Download size limit (GB):", - "OptionFahrenheit": "Fahrenheit", "OptionPrimary": "Primary", - "ScheduledTaskStartedWithName": "{0} started", - "MessageLoadingContent": "Loading content...", - "HeaderRequireManualLogin": "Require manual username entry for:", "OptionArt": "Art", - "ScheduledTaskCancelledWithName": "{0} was cancelled", - "NotificationOptionUserLockedOut": "User locked out", - "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.", "OptionBox": "Box", - "ScheduledTaskCompletedWithName": "{0} completed", - "OptionOtherApps": "Other apps", - "TabScheduledTasks": "Scheduled Tasks", "OptionBoxRear": "Box rear", - "ScheduledTaskFailed": "Scheduled task completed", - "OptionMobileApps": "Mobile apps", "OptionDisc": "Disc", - "PluginInstalledWithName": "{0} was installed", "OptionIcon": "Icon", "OptionLogo": "Logo", - "PluginUpdatedWithName": "{0} was updated", "OptionMenu": "Menu", - "PluginUninstalledWithName": "{0} was uninstalled", "OptionScreenshot": "Screenshot", - "ButtonScenes": "Scenes", - "ScheduledTaskFailedWithName": "{0} failed", - "UserLockedOutWithName": "User {0} has been locked out", "OptionLocked": "Locked", - "ButtonSubtitles": "Subtitles", - "ItemAddedWithName": "{0} was added to the library", "OptionUnidentified": "Unidentified", - "ItemRemovedWithName": "{0} was removed from the library", "OptionMissingParentalRating": "Missing parental rating", - "HeaderCollections": "Collections", - "DeviceOnlineWithName": "{0} is connected", "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", + "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}", - "ButtonStop": "Stop", "DeviceOfflineWithName": "{0} has disconnected", - "OptionList": "List", - "OptionSeason0": "Season 0", - "ButtonPause": "Pause", "UserOfflineFromDevice": "{0} has disconnected from {1}", - "TabDashboard": "Dashboard", - "LabelReport": "Report:", "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}", - "TitleServer": "Server", - "OptionReportSongs": "Songs", "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}", - "LabelCache": "Cache:", - "OptionReportSeries": "Series", "LabelRunningTimeValue": "Running time: {0}", - "LabelLogs": "Logs:", - "OptionReportSeasons": "Seasons", "LabelIpAddressValue": "Ip address: {0}", - "LabelMetadata": "Metadata:", - "OptionReportTrailers": "Trailers", - "ViewTypeMusicPlaylists": "Playlists", + "UserLockedOutWithName": "User {0} has been locked out", "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}", - "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)", - "LabelImagesByName": "Images by name:", - "OptionReportMusicVideos": "Music videos", "UserCreatedWithName": "User {0} has been created", - "HeaderSendMessage": "Send Message", - "LabelTranscodingTemporaryFiles": "Transcoding temporary files:", - "OptionReportMovies": "Movies", "UserPasswordChangedWithName": "Password has been changed for user {0}", - "ButtonSend": "Send", - "OptionReportHomeVideos": "Home videos", "UserDeletedWithName": "User {0} has been deleted", - "LabelMessageText": "Message text:", - "OptionReportGames": "Games", "MessageServerConfigurationUpdated": "Server configuration has been updated", - "HeaderKodiMetadataHelp": "Emby includes native support for Nfo metadata files. To enable or disable Nfo metadata, use the Advanced tab to configure options for your media types.", - "OptionReportEpisodes": "Episodes", - "ButtonPreviousTrack": "Previous track", "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated", - "LabelKodiMetadataUser": "Sync user watch data to nfo's for:", - "OptionReportCollections": "Collections", - "ButtonNextTrack": "Next track", - "TitleDlna": "DLNA", "MessageApplicationUpdated": "Emby Server has been updated", - "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Emby Server and Nfo files.", - "OptionReportBooks": "Books", - "HeaderServerSettings": "Server Settings", "AuthenticationSucceededWithUserName": "{0} successfully authenticated", - "LabelKodiMetadataDateFormat": "Release date format:", - "OptionReportArtists": "Artists", "FailedLoginAttemptWithUserName": "Failed login attempt from {0}", - "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.", - "ButtonAddToPlaylist": "Add to playlist", - "OptionReportAlbums": "Albums", + "UserDownloadingItemWithValues": "{0} is downloading {1}", "UserStartedPlayingItemWithValues": "{0} has started playing {1}", - "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files", - "LabelDisplayCollectionsView": "Display a collections view to show movie collections", - "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.", - "OptionReportAdultVideos": "Adult videos", "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}", - "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.", "AppDeviceValues": "App: {0}, Device: {1}", - "LabelMaxStreamingBitrate": "Max streaming bitrate:", - "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution", - "LabelProtocolInfo": "Protocol info:", "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", "LabelEasyPinCode": "Easy pin code:", - "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.", - "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.", - "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.", - "LabelMaxStaticBitrate": "Max sync bitrate:", - "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.", - "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.", "EasyPasswordHelp": "Your easy pin code is used for offline access with supported Emby apps, and can also be used for easy in-network sign in.", - "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.", - "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs", - "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.", - "TabSync": "Sync", - "LabelProtocol": "Protocol:", - "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.", - "TabPlaylists": "Playlists", - "LabelPersonRole": "Role:", "LabelInNetworkSignInWithEasyPassword": "Enable in-network sign in with my easy pin code", - "TitleUsers": "Users", - "OptionProtocolHttp": "Http", - "LabelPersonRoleHelp": "Role is generally only applicable to actors.", - "OptionProtocolHls": "Http Live Streaming", - "LabelPath": "Path:", - "HeaderIdentification": "Identification", "LabelInNetworkSignInWithEasyPasswordHelp": "If enabled, you'll be able to use your easy pin code to sign in to Emby apps from inside your home network. Your regular password will only be needed away from home. If the pin code is left blank, you won't need a password within your home network.", - "LabelContext": "Context:", - "LabelSortName": "Sort name:", - "OptionContextStreaming": "Streaming", - "LabelDateAdded": "Date added:", + "HeaderPassword": "Password", + "HeaderLocalAccess": "Local Access", + "HeaderViewOrder": "View Order", "ButtonResetEasyPassword": "Reset easy pin code", - "OptionContextStatic": "Sync", + "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Emby apps", "LabelMetadataRefreshMode": "Metadata refresh mode:", - "ViewTypeChannels": "Channels", "LabelImageRefreshMode": "Image refresh mode:", - "ViewTypeLiveTV": "Live TV", - "HeaderSendNotificationHelp": "By default, notifications are delivered to your dashboard inbox. Browse the plugin catalog to install additional notification options.", "OptionDownloadMissingImages": "Download missing images", "OptionReplaceExistingImages": "Replace existing images", "OptionRefreshAllData": "Refresh all data", "OptionAddMissingDataOnly": "Add missing data only", "OptionLocalRefreshOnly": "Local refresh only", - "LabelGroupMoviesIntoCollections": "Group movies into collections", "HeaderRefreshMetadata": "Refresh Metadata", - "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.", "HeaderPersonInfo": "Person Info", "HeaderIdentifyItem": "Identify Item", "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.", - "HeaderLatestMedia": "Latest Media", + "HeaderConfirmDeletion": "Confirm Deletion", "LabelFollowingFileWillBeDeleted": "The following file will be deleted:", "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:", - "OptionSpecialFeatures": "Special Features", "ButtonIdentify": "Identify", "LabelAlbumArtist": "Album artist:", + "LabelAlbumArtists": "Album artists:", "LabelAlbum": "Album:", "LabelCommunityRating": "Community rating:", "LabelVoteCount": "Vote count:", - "ButtonSearch": "\u641c\u7d22", "LabelMetascore": "Metascore:", "LabelCriticRating": "Critic rating:", "LabelCriticRatingSummary": "Critic rating summary:", "LabelAwardSummary": "Award summary:", - "LabelSeasonZeroFolderName": "Season zero folder name:", "LabelWebsite": "Website:", - "HeaderEpisodeFilePattern": "Episode file pattern", "LabelTagline": "Tagline:", - "LabelEpisodePattern": "Episode pattern:", "LabelOverview": "Overview:", - "LabelMultiEpisodePattern": "Multi-Episode pattern:", "LabelShortOverview": "Short overview:", - "HeaderSupportedPatterns": "Supported Patterns", - "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.", - "LabelMusicStaticBitrate": "Music sync bitrate:", + "LabelReleaseDate": "Release date:", + "LabelYear": "Year:", "LabelPlaceOfBirth": "Place of birth:", - "HeaderTerm": "Term", - "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the + button to start creating Collections.", - "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music", + "LabelEndDate": "End date:", "LabelAirDate": "Air days:", - "HeaderPattern": "Pattern", - "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:", "LabelAirTime:": "Air time:", - "HeaderNotificationList": "Click on a notification to configure it's sending options.", - "HeaderResult": "Result", - "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music", "LabelRuntimeMinutes": "Run time (minutes):", - "LabelNotificationEnabled": "Enable this notification", - "LabelDeleteEmptyFolders": "Delete empty folders after organizing", - "HeaderRecentActivity": "Recent Activity", "LabelParentalRating": "Parental rating:", - "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.", - "ButtonOsd": "On screen display", - "HeaderPeople": "People", "LabelCustomRating": "Custom rating:", - "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:", - "MessageNoAvailablePlugins": "No available plugins.", - "HeaderDownloadPeopleMetadataFor": "Download biography and images for:", "LabelBudget": "Budget", - "NotificationOptionVideoPlayback": "Video playback started", - "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt", - "LabelDisplayPluginsFor": "Display plugins for:", - "OptionComposers": "Composers", "LabelRevenue": "Revenue ($):", - "NotificationOptionAudioPlayback": "Audio playback started", - "OptionOverwriteExistingEpisodes": "Overwrite existing episodes", - "OptionOthers": "Others", "LabelOriginalAspectRatio": "Original aspect ratio:", - "NotificationOptionGamePlayback": "Game playback started", - "LabelTransferMethod": "Transfer method", "LabelPlayers": "Players:", - "OptionCopy": "Copy", "Label3DFormat": "3D format:", - "NotificationOptionNewLibraryContent": "New content added", - "OptionMove": "Move", "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers", - "NotificationOptionServerRestartRequired": "Server restart required", - "LabelTransferMethodHelp": "Copy or move files from the watch folder", "HeaderSpecialEpisodeInfo": "Special Episode Info", - "LabelMonitorUsers": "Monitor activity from:", - "HeaderLatestNews": "Latest News", - "ValueSeriesNamePeriod": "Series.name", "HeaderExternalIds": "External Id's:", - "LabelSendNotificationToUsers": "Send the notification to:", - "ValueSeriesNameUnderscore": "Series_name", - "TitleChannels": "Channels", - "HeaderRunningTasks": "Running Tasks", - "HeaderConfirmDeletion": "Confirm Deletion", - "ValueEpisodeNamePeriod": "Episode.name", - "LabelChannelStreamQuality": "Preferred internet stream quality:", - "HeaderActiveDevices": "Active Devices", - "ValueEpisodeNameUnderscore": "Episode_name", - "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.", - "HeaderPendingInstallations": "Pending Installations", - "HeaderTypeText": "Enter Text", - "OptionBestAvailableStreamQuality": "Best available", - "LabelUseNotificationServices": "Use the following services:", - "LabelTypeText": "Text", - "ButtonEditOtherUserPreferences": "Edit this user's profile, image and personal preferences.", - "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:", - "NotificationOptionApplicationUpdateAvailable": "Application update available", + "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:", - "ButtonReset": "Reset", "LabelDisplayOrder": "Display order:", "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in", - "HeaderAddTag": "Add Tag", - "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", "HeaderCountries": "Countries", "HeaderGenres": "Genres", - "LabelTag": "Tag:", "HeaderPlotKeywords": "Plot Keywords", - "LabelEnableItemPreviews": "Enable item previews", "HeaderStudios": "Studios", "HeaderTags": "Tags", "HeaderMetadataSettings": "Metadata Settings", - "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", "LabelLockItemToPreventChanges": "Lock this item to prevent future changes", - "LabelExternalPlayers": "External players:", "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.", - "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.", - "ButtonUnlockGuide": "Unlock Guide", + "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", "OptionNoTrailer": "No Trailer", "OptionNoThemeSong": "No Theme Song", "OptionNoThemeVideo": "No Theme Video", "LabelOneTimeDonationAmount": "Donation amount:", - "ButtonLearnMore": "Learn more", - "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby Connect", - "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", - "OptionEnableExternalVideoPlayers": "Enable external video players", - "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby account", - "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", - "LabelCustomDeviceDisplayName": "Display name:", - "OptionTVMovies": "TV Movies", - "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.", - "HeaderInviteUser": "Invite User", - "HeaderUpcomingMovies": "Upcoming Movies", - "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", - "ButtonSendInvitation": "Send Invitation", - "HeaderGuests": "Guests", - "HeaderUpcomingPrograms": "Upcoming Programs", - "HeaderLocalUsers": "Local Users", - "HeaderPendingInvitations": "Pending Invitations", - "LabelShowLibraryTileNames": "Show library tile names", - "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", - "TitleDevices": "Devices", - "TabCameraUpload": "Camera Upload", - "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Emby.", - "TabPhotos": "Photos", - "HeaderSchedule": "Schedule", - "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.", - "OptionEveryday": "Every day", - "LabelCameraUploadPath": "Camera upload path:", - "OptionWeekdays": "Weekdays", - "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used. If using a custom path it will also need to be added in the library setup area.", - "OptionWeekends": "Weekends", - "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device", - "MessageProfileInfoSynced": "User profile information synced with Emby Connect.", - "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.", - "TabVideos": "Videos", - "ButtonTrailerReel": "Trailer reel", - "HeaderTrailerReel": "Trailer Reel", - "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers", - "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.", - "TabDevices": "Devices", - "MessageNoTrailersFound": "No trailers found. Install the Trailer channel to enhance your movie experience by adding a library of internet trailers.", - "HeaderWelcomeToEmby": "Welcome to Emby", - "OptionAllowSyncContent": "Allow Sync", - "LabelDateAddedBehavior": "Date added behavior for new content:", - "HeaderLibraryAccess": "Library Access", - "OptionDateAddedImportTime": "Use date scanned into the library", - "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", - "HeaderChannelAccess": "Channel Access", - "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", - "OptionDateAddedFileTime": "Use file creation date", - "HeaderLatestItems": "Latest Items", - "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", - "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.", - "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items", - "LabelNumberTrailerToPlay": "Number of trailers to play:", - "ButtonSkip": "Skip", - "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", - "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", - "NameSeasonUnknown": "Season Unknown", - "NameSeasonNumber": "Season {0}", - "TextConnectToServerManually": "Connect to server manually", - "TabStreaming": "Streaming", - "HeaderSubtitleProfile": "Subtitle Profile", - "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", - "HeaderSubtitleProfiles": "Subtitle Profiles", - "OptionDisableUserPreferences": "Disable access to user preferences", - "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.", - "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.", - "LabelFormat": "Format:", - "HeaderSelectServer": "Select Server", - "ButtonConnect": "Connect", - "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", - "LabelMethod": "Method:", - "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.", - "LabelDidlMode": "Didl mode:", - "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)", - "OptionResElement": "res element", - "HeaderSignInWithConnect": "Sign in with Emby Connect", - "OptionEmbedSubtitles": "Embed within container", - "OptionExternallyDownloaded": "External download", - "LabelServerHost": "Host:", - "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.", - "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.", - "OptionHlsSegmentedSubtitles": "Hls segmented subtitles", - "LabelEnableCinemaMode": "Enable cinema mode", + "ButtonDonate": "Donate", + "ButtonPurchase": "Purchase", + "OptionActor": "Actor", + "OptionComposer": "Composer", + "OptionDirector": "Director", + "OptionGuestStar": "Guest star", + "OptionProducer": "Producer", + "OptionWriter": "Writer", "LabelAirDays": "Air days:", - "HeaderCinemaMode": "Cinema Mode", "LabelAirTime": "Air time:", "HeaderMediaInfo": "Media Info", "HeaderPhotoInfo": "Photo Info", - "OptionAllowContentDownloading": "Allow media downloading", - "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", - "TabDonate": "Donate", - "OptionLifeTimeSupporterMembership": "Lifetime supporter membership", - "LabelServerPort": "Port:", - "OptionYearlySupporterMembership": "Yearly supporter membership", - "LabelConversionCpuCoreLimit": "CPU core limit:", - "OptionMonthlySupporterMembership": "Monthly supporter membership", - "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", - "ButtonChangeServer": "Change Server", - "OptionEnableFullSpeedConversion": "Enable full speed conversion", - "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", - "HeaderConnectToServer": "Connect to Server", - "LabelBlockContentWithTags": "Block content with tags:", "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", - "LabelTagFilterMode": "Mode:", "HeaderDeveloperInfo": "Developer Info", "HeaderRevisionHistory": "Revision History", "ButtonViewWebsite": "View website", - "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", - "HeaderPlaylists": "Playlists", - "LabelEnableFullScreen": "Enable fullscreen mode", - "OptionEnableTranscodingThrottle": "Enable throttling", - "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", - "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", - "LabelSyncPath": "Synced content path:", - "OptionActor": "Actor", - "ButtonDonate": "Donate", - "TitleNewUser": "New User", - "OptionComposer": "Composer", - "ButtonConfigurePassword": "Configure Password", - "OptionDirector": "Director", - "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.", - "OptionGuestStar": "Guest star", - "OptionProducer": "Producer", - "OptionWriter": "Writer", "HeaderXmlSettings": "Xml Settings", "HeaderXmlDocumentAttributes": "Xml Document Attributes", - "ButtonSignInWithConnect": "Sign in with Emby Connect", "HeaderXmlDocumentAttribute": "Xml Document Attribute", "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.", - "ValueSpecialEpisodeName": "Special - {0}", "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files", - "HeaderNewServer": "New Server", - "TabActivity": "Activity", - "TitleSync": "Sync", - "HeaderShareMediaFolders": "Share Media Folders", - "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.", - "HeaderInvitations": "Invitations", + "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 Emby username or email address:", + "LabelConnectUserName": "Emby username\/email:", + "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", + "ButtonLearnMoreAboutEmbyConnect": "Learn more about Emby 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.", + "LabelNativeExternalPlayersHelp": "Display buttons to play content in external players.", + "LabelEnableItemPreviews": "Enable item previews", + "LabelEnableItemPreviewsHelp": "if enabled, sliding previews will appear when clicking items on certain screens.", + "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", "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.", - "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan", - "OptionReportList": "List View", "OptionTrailersFromMyMovies": "Include trailers from movies in my library", "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies", - "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.", - "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content", - "OptionReportStatistics": "Statistics", - "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:", "LabelEnableIntroParentalControl": "Enable smart parental control", - "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray", "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.", - "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", - "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix", - "HeaderNewUsers": "New Users", - "HeaderUpcomingSports": "Upcoming Sports", - "OptionReportGrouping": "Grouping", - "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions", + "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.", "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.", - "ButtonSignUp": "Sign up", - "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.", "LabelCustomIntrosPath": "Custom intros path:", - "MessageReenableUser": "See below to reenable", "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.", - "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", - "TabPlayback": "Playback", - "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", - "LabelConnectUserName": "Emby username\/email:", - "LabelConnectUserNameHelp": "Connect this user to an Emby account to enable easy sign-in access from any Emby app without having to know the server ip address.", - "HeaderPlayback": "Media Playback", - "HeaderViewStyles": "View Styles", - "TabJobs": "Jobs", - "TabSyncJobs": "Sync Jobs", - "LabelSelectViewStyles": "Enable enhanced presentations for:", - "ButtonMoreItems": "More", - "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", - "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", - "LabelEmail": "Email:", - "LabelUsername": "Username:", - "HeaderSignUp": "Sign Up", - "ButtonPurchase": "Purchase", - "LabelPasswordConfirm": "Password (confirm):", - "ButtonAddServer": "Add Server", - "HeaderForgotPassword": "Forgot Password", - "LabelConnectGuestUserName": "Their Emby username or email address:", + "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", + "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 Emby.", + "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. If using a custom path it will also need to be added in the library setup area.", + "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 Emby website, or their email address.", + "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Emby Connect.", + "ButtonSendInvitation": "Send Invitation", + "HeaderSignInWithConnect": "Sign in with Emby Connect", + "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 Emby Connect.", + "HeaderOptionalLinkEmbyAccount": "Optional: Link your Emby 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 to enhance your movie experience by adding 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 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.", + "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.", + "HeaderInvitations": "Invitations", "LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.", + "HeaderForgotPassword": "Forgot Password", "TitleForgotPassword": "Forgot Password", "TitlePasswordReset": "Password Reset", - "TabParentalControl": "Parental Control", "LabelPasswordRecoveryPinCode": "Pin code:", - "HeaderAccessSchedule": "Access Schedule", "HeaderPasswordReset": "Password Reset", - "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.", "HeaderParentalRatings": "Parental Ratings", - "ButtonAddSchedule": "Add Schedule", "HeaderVideoTypes": "Video Types", - "LabelAccessDay": "Day of week:", "HeaderYears": "Years", - "LabelAccessStart": "Start time:", - "LabelAccessEnd": "End time:", - "LabelDvdSeasonNumber": "Dvd season number:", + "HeaderAddTag": "Add Tag", + "LabelBlockContentWithTags": "Block content with tags:", + "LabelTag": "Tag:", + "LabelEnableSingleImageInDidlLimit": "Limit to single embedded image", + "LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.", + "TabActivity": "Activity", + "TitleSync": "Sync", + "OptionAllowSyncContent": "Allow Sync", + "OptionAllowContentDownloading": "Allow media downloading", + "NameSeasonUnknown": "Season Unknown", + "NameSeasonNumber": "Season {0}", + "LabelNewUserNameHelp": "Usernames can contain letters (a-z), numbers (0-9), dashes (-), underscores (_), apostrophes ('), and periods (.)", + "TabJobs": "Jobs", + "TabSyncJobs": "Sync Jobs", + "LabelTagFilterMode": "Mode:", + "LabelTagFilterAllowModeHelp": "If allowed tags are used as part of a deeply nested folder structure, content that is tagged will require parent folders to be tagged as well.", + "HeaderThisUserIsCurrentlyDisabled": "This user is currently disabled", + "MessageReenableUser": "See below to reenable", + "LabelEnableInternetMetadataForTvPrograms": "Download internet metadata for:", + "OptionTVMovies": "TV Movies", + "HeaderUpcomingMovies": "Upcoming Movies", + "HeaderUpcomingSports": "Upcoming Sports", + "HeaderUpcomingPrograms": "Upcoming Programs", + "ButtonMoreItems": "More", + "LabelShowLibraryTileNames": "Show library tile names", + "LabelShowLibraryTileNamesHelp": "Determines if labels will be displayed underneath library tiles on the home page", + "OptionEnableTranscodingThrottle": "Enable throttling", + "OptionEnableTranscodingThrottleHelp": "Throttling will automatically adjust transcoding speed in order to minimize server cpu utilization during playback.", + "LabelUploadSpeedLimit": "Upload speed limit (Mbps):", + "OptionAllowSyncTranscoding": "Allow syncing that requires transcoding", + "HeaderPlayback": "Media Playback", + "OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding", + "OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding", + "OptionAllowMediaPlaybackTranscodingHelp": "Users will receive friendly messages when content is unplayable based on policy.", + "TabStreaming": "Streaming", + "LabelRemoteClientBitrateLimit": "Remote client bitrate limit (Mbps):", + "LabelRemoteClientBitrateLimitHelp": "An optional streaming bitrate limit for all remote clients. This is useful to prevent clients from requesting a higher bitrate than your connection can handle.", + "LabelConversionCpuCoreLimit": "CPU core limit:", + "LabelConversionCpuCoreLimitHelp": "Limit the number of CPU cores that will be used during sync conversion.", + "OptionEnableFullSpeedConversion": "Enable full speed conversion", + "OptionEnableFullSpeedConversionHelp": "By default, sync conversion is performed at a low speed to minimize resource consumption.", + "HeaderPlaylists": "Playlists", + "HeaderViewStyles": "View Styles", + "LabelSelectViewStyles": "Enable enhanced presentations for:", + "LabelSelectViewStylesHelp": "If enabled, views will be built with metadata to offer categories such as Suggestions, Latest, Genres, and more. If disabled, they'll be displayed with simple folders.", + "TabPhotos": "Photos", + "TabVideos": "Videos", + "HeaderWelcomeToEmby": "Welcome to Emby", + "EmbyIntroMessage": "With Emby you can easily stream videos, music and photos to smart phones, tablets and other devices from your Emby Server.", + "ButtonSkip": "Skip", + "TextConnectToServerManually": "Connect to server manually", + "ButtonSignInWithConnect": "Sign in with Emby Connect", + "ButtonConnect": "Connect", + "LabelServerHost": "Host:", + "LabelServerHostHelp": "192.168.1.100 or https:\/\/myserver.com", + "LabelServerPort": "Port:", + "HeaderNewServer": "New Server", + "ButtonChangeServer": "Change Server", + "HeaderConnectToServer": "Connect to Server", + "OptionReportList": "List View", + "OptionReportStatistics": "Statistics", + "OptionReportGrouping": "Grouping", "HeaderExport": "Export", - "LabelDvdEpisodeNumber": "Dvd episode number:", - "LabelAbsoluteEpisodeNumber": "Absolute episode number:", - "LabelAirsBeforeSeason": "Airs before season:", "HeaderColumns": "Columns", - "LabelAirsAfterSeason": "Airs after season:" + "ButtonReset": "Reset", + "OptionEnableExternalVideoPlayers": "Enable external video players", + "ButtonUnlockGuide": "Unlock Guide", + "LabelEnableFullScreen": "Enable fullscreen mode", + "LabelEnableChromecastAc3Passthrough": "Enable Chromecast AC3 Passthrough", + "LabelSyncPath": "Synced content path:", + "LabelEmail": "Email:", + "LabelUsername": "Username:", + "HeaderSignUp": "Sign Up", + "LabelPasswordConfirm": "Password (confirm):", + "ButtonAddServer": "Add Server", + "TabHomeScreen": "Home Screen", + "HeaderDisplay": "Display", + "HeaderNavigation": "Navigation", + "LegendTheseSettingsShared": "These settings are shared on all devices" } \ No newline at end of file diff --git a/SharedVersion.cs b/SharedVersion.cs index e35ca61dda..36094fda0f 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -//[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.2")] +[assembly: AssemblyVersion("3.0.*")] +//[assembly: AssemblyVersion("3.0.5666.2")] From d4fad83ee239983776b4e942ab112669057c4993 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 9 Jul 2015 01:52:25 -0400 Subject: [PATCH 14/35] update favorites page --- MediaBrowser.Controller/Entities/BaseItem.cs | 8 ++++++++ MediaBrowser.Controller/Entities/Folder.cs | 8 ++++---- MediaBrowser.Model/Entities/MediaStream.cs | 3 +-- .../Manager/ProviderManager.cs | 14 ++++++-------- .../TV/DummySeasonProvider.cs | 3 ++- .../TV/MissingEpisodeProvider.cs | 3 ++- .../TV/SeriesMetadataService.cs | 10 +++++++++- .../Collections/CollectionManager.cs | 1 - .../Library/ResolverHelper.cs | 4 ++-- .../Persistence/SqliteItemRepository.cs | 17 ++++++++++++++--- .../Playlists/PlaylistManager.cs | 1 - .../MediaBrowser.WebDashboard.csproj | 6 ++++++ 12 files changed, 54 insertions(+), 24 deletions(-) diff --git a/MediaBrowser.Controller/Entities/BaseItem.cs b/MediaBrowser.Controller/Entities/BaseItem.cs index 5d7c02f482..41329608e4 100644 --- a/MediaBrowser.Controller/Entities/BaseItem.cs +++ b/MediaBrowser.Controller/Entities/BaseItem.cs @@ -464,6 +464,8 @@ namespace MediaBrowser.Controller.Entities return sortable; } + public Guid ParentId { get; set; } + /// /// Gets or sets the parent. /// @@ -471,6 +473,12 @@ namespace MediaBrowser.Controller.Entities [IgnoreDataMember] public Folder Parent { get; set; } + public void SetParent(Folder parent) + { + Parent = parent; + ParentId = parent == null ? Guid.Empty : parent.Id; + } + [IgnoreDataMember] public IEnumerable Parents { diff --git a/MediaBrowser.Controller/Entities/Folder.cs b/MediaBrowser.Controller/Entities/Folder.cs index 821e6b5caf..22efb09e15 100644 --- a/MediaBrowser.Controller/Entities/Folder.cs +++ b/MediaBrowser.Controller/Entities/Folder.cs @@ -134,7 +134,7 @@ namespace MediaBrowser.Controller.Entities /// Unable to add + item.Name public async Task AddChild(BaseItem item, CancellationToken cancellationToken) { - item.Parent = this; + item.SetParent(this); if (item.Id == Guid.Empty) { @@ -230,7 +230,7 @@ namespace MediaBrowser.Controller.Entities { RemoveChildrenInternal(new[] { item }); - item.Parent = null; + item.SetParent(null); return ItemRepository.SaveChildren(Id, ActualChildren.Select(i => i.Id).ToList(), cancellationToken); } @@ -783,11 +783,11 @@ namespace MediaBrowser.Controller.Entities return LibraryManager.GetOrAddByReferenceItem(item); } - item.Parent = this; + item.SetParent(this); } else { - child.Parent = this; + child.SetParent(this); LibraryManager.RegisterItem(child); item = child; } diff --git a/MediaBrowser.Model/Entities/MediaStream.cs b/MediaBrowser.Model/Entities/MediaStream.cs index f842a9e3a0..0aaa8035cd 100644 --- a/MediaBrowser.Model/Entities/MediaStream.cs +++ b/MediaBrowser.Model/Entities/MediaStream.cs @@ -1,5 +1,4 @@ -using System.Collections.Generic; -using MediaBrowser.Model.Dlna; +using MediaBrowser.Model.Dlna; using MediaBrowser.Model.Extensions; using System.Diagnostics; diff --git a/MediaBrowser.Providers/Manager/ProviderManager.cs b/MediaBrowser.Providers/Manager/ProviderManager.cs index ffc33fb23c..14009a94f5 100644 --- a/MediaBrowser.Providers/Manager/ProviderManager.cs +++ b/MediaBrowser.Providers/Manager/ProviderManager.cs @@ -485,12 +485,11 @@ namespace MediaBrowser.Providers.Manager // Give it a dummy path just so that it looks like a file system item var dummy = new T() { - Path = Path.Combine(_appPaths.InternalMetadataPath, "dummy"), - - // Dummy this up to fool the local trailer check - Parent = new Folder() + Path = Path.Combine(_appPaths.InternalMetadataPath, "dummy") }; + dummy.SetParent(new Folder()); + var options = GetMetadataOptions(dummy); var summary = new MetadataPluginSummary @@ -727,12 +726,11 @@ namespace MediaBrowser.Providers.Manager // Give it a dummy path just so that it looks like a file system item var dummy = new TItemType { - Path = Path.Combine(_appPaths.InternalMetadataPath, "dummy"), - - // Dummy this up to fool the local trailer check - Parent = new Folder() + Path = Path.Combine(_appPaths.InternalMetadataPath, "dummy") }; + dummy.SetParent(new Folder()); + var options = GetMetadataOptions(dummy); var providers = GetMetadataProvidersInternal(dummy, options, searchInfo.IncludeDisabledProviders) diff --git a/MediaBrowser.Providers/TV/DummySeasonProvider.cs b/MediaBrowser.Providers/TV/DummySeasonProvider.cs index fb52825510..426ff43187 100644 --- a/MediaBrowser.Providers/TV/DummySeasonProvider.cs +++ b/MediaBrowser.Providers/TV/DummySeasonProvider.cs @@ -111,10 +111,11 @@ namespace MediaBrowser.Providers.TV { Name = seasonName, IndexNumber = seasonNumber, - Parent = series, Id = (series.Id + (seasonNumber ?? -1).ToString(_usCulture) + seasonName).GetMBId(typeof(Season)) }; + season.SetParent(series); + await series.AddChild(season, cancellationToken).ConfigureAwait(false); await season.RefreshMetadata(new MetadataRefreshOptions(), cancellationToken).ConfigureAwait(false); diff --git a/MediaBrowser.Providers/TV/MissingEpisodeProvider.cs b/MediaBrowser.Providers/TV/MissingEpisodeProvider.cs index d451282887..9573456078 100644 --- a/MediaBrowser.Providers/TV/MissingEpisodeProvider.cs +++ b/MediaBrowser.Providers/TV/MissingEpisodeProvider.cs @@ -406,10 +406,11 @@ namespace MediaBrowser.Providers.TV Name = name, IndexNumber = episodeNumber, ParentIndexNumber = seasonNumber, - Parent = season, Id = (series.Id + seasonNumber.ToString(_usCulture) + name).GetMBId(typeof(Episode)) }; + episode.SetParent(season); + await season.AddChild(episode, cancellationToken).ConfigureAwait(false); await episode.RefreshMetadata(new MetadataRefreshOptions diff --git a/MediaBrowser.Providers/TV/SeriesMetadataService.cs b/MediaBrowser.Providers/TV/SeriesMetadataService.cs index 779e3c39dc..0b2aaa5a07 100644 --- a/MediaBrowser.Providers/TV/SeriesMetadataService.cs +++ b/MediaBrowser.Providers/TV/SeriesMetadataService.cs @@ -7,6 +7,7 @@ using MediaBrowser.Controller.Providers; using MediaBrowser.Model.Entities; using MediaBrowser.Model.Logging; using MediaBrowser.Providers.Manager; +using System; using System.Collections.Generic; using System.Threading; using System.Threading.Tasks; @@ -30,7 +31,14 @@ namespace MediaBrowser.Providers.TV { var provider = new DummySeasonProvider(ServerConfigurationManager, Logger, _localization, LibraryManager); - await provider.Run(item, CancellationToken.None).ConfigureAwait(false); + try + { + await provider.Run(item, CancellationToken.None).ConfigureAwait(false); + } + catch (Exception ex) + { + Logger.ErrorException("Error in DummySeasonProvider", ex); + } } } diff --git a/MediaBrowser.Server.Implementations/Collections/CollectionManager.cs b/MediaBrowser.Server.Implementations/Collections/CollectionManager.cs index 796d5f6515..04f82db6ff 100644 --- a/MediaBrowser.Server.Implementations/Collections/CollectionManager.cs +++ b/MediaBrowser.Server.Implementations/Collections/CollectionManager.cs @@ -75,7 +75,6 @@ namespace MediaBrowser.Server.Implementations.Collections var collection = new BoxSet { Name = name, - Parent = parentFolder, Path = path, IsLocked = options.IsLocked, ProviderIds = options.ProviderIds, diff --git a/MediaBrowser.Server.Implementations/Library/ResolverHelper.cs b/MediaBrowser.Server.Implementations/Library/ResolverHelper.cs index b6a93408ad..dac6580951 100644 --- a/MediaBrowser.Server.Implementations/Library/ResolverHelper.cs +++ b/MediaBrowser.Server.Implementations/Library/ResolverHelper.cs @@ -34,7 +34,7 @@ namespace MediaBrowser.Server.Implementations.Library // If the resolver didn't specify this if (parent != null) { - item.Parent = parent; + item.SetParent(parent); } item.Id = libraryManager.GetNewItemId(item.Path, item.GetType()); @@ -68,7 +68,7 @@ namespace MediaBrowser.Server.Implementations.Library // If the resolver didn't specify this if (args.Parent != null) { - item.Parent = args.Parent; + item.SetParent(args.Parent); } item.Id = libraryManager.GetNewItemId(item.Path, item.GetType()); diff --git a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs index cc4b7f0744..b65ea50f49 100644 --- a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs +++ b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs @@ -1,4 +1,3 @@ -using System.Runtime.Serialization; using MediaBrowser.Common.Configuration; using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Entities.TV; @@ -14,6 +13,7 @@ using System.Data; using System.Globalization; using System.IO; using System.Linq; +using System.Runtime.Serialization; using System.Threading; using System.Threading.Tasks; @@ -154,6 +154,7 @@ namespace MediaBrowser.Server.Implementations.Persistence _connection.AddColumn(_logger, "TypedBaseItems", "ParentIndexNumber", "INT"); _connection.AddColumn(_logger, "TypedBaseItems", "PremiereDate", "DATETIME"); _connection.AddColumn(_logger, "TypedBaseItems", "ProductionYear", "INT"); + _connection.AddColumn(_logger, "TypedBaseItems", "ParentId", "GUID"); PrepareStatements(); @@ -193,10 +194,11 @@ namespace MediaBrowser.Server.Implementations.Persistence "Overview", "ParentIndexNumber", "PremiereDate", - "ProductionYear" + "ProductionYear", + "ParentId" }; _saveItemCommand = _connection.CreateCommand(); - _saveItemCommand.CommandText = "replace into TypedBaseItems (" + string.Join(",", saveColumns.ToArray()) + ") values (@1, @2, @3, @4, @5, @6, @7, @8, @9, @10, @11, @12, @13, @14, @15, @16, @17, @18, @19, @20, @21)"; + _saveItemCommand.CommandText = "replace into TypedBaseItems (" + string.Join(",", saveColumns.ToArray()) + ") values (@1, @2, @3, @4, @5, @6, @7, @8, @9, @10, @11, @12, @13, @14, @15, @16, @17, @18, @19, @20, @21, @22)"; for (var i = 1; i <= saveColumns.Count; i++) { _saveItemCommand.Parameters.Add(_saveItemCommand, "@" + i.ToString(CultureInfo.InvariantCulture)); @@ -330,6 +332,15 @@ namespace MediaBrowser.Server.Implementations.Persistence _saveItemCommand.GetParameter(index++).Value = item.PremiereDate; _saveItemCommand.GetParameter(index++).Value = item.ProductionYear; + if (item.ParentId == Guid.Empty) + { + _saveItemCommand.GetParameter(index++).Value = null; + } + else + { + _saveItemCommand.GetParameter(index++).Value = item.ParentId; + } + _saveItemCommand.Transaction = transaction; _saveItemCommand.ExecuteNonQuery(); diff --git a/MediaBrowser.Server.Implementations/Playlists/PlaylistManager.cs b/MediaBrowser.Server.Implementations/Playlists/PlaylistManager.cs index a5cc0e0de3..311cb9b516 100644 --- a/MediaBrowser.Server.Implementations/Playlists/PlaylistManager.cs +++ b/MediaBrowser.Server.Implementations/Playlists/PlaylistManager.cs @@ -113,7 +113,6 @@ namespace MediaBrowser.Server.Implementations.Playlists var playlist = new Playlist { Name = name, - Parent = parentFolder, Path = path }; diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index a87707ba58..7552065362 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -193,6 +193,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest @@ -202,6 +205,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest From 3e785cb8206c4e8be95a48318f02ddfdcec5d8d0 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 9 Jul 2015 08:31:47 -0400 Subject: [PATCH 15/35] 3.0.5666.3 --- SharedVersion.cs | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index 36094fda0f..04b75a6662 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -[assembly: AssemblyVersion("3.0.*")] -//[assembly: AssemblyVersion("3.0.5666.2")] +//[assembly: AssemblyVersion("3.0.*")] +[assembly: AssemblyVersion("3.0.5666.3")] From 99d17aa088625b4ed973cf8c8ecf6d2900134c29 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 9 Jul 2015 23:00:03 -0400 Subject: [PATCH 16/35] update polymer --- .../Entities/InternalPeopleQuery.cs | 1 + .../HttpServer/HttpListenerHost.cs | 2 +- .../Library/SearchEngine.cs | 9 +++++++-- .../Persistence/SqliteItemRepository.cs | 5 +++++ .../Properties/AssemblyInfo.cs | 4 ++-- MediaBrowser.WebDashboard/Api/DashboardService.cs | 2 ++ .../MediaBrowser.WebDashboard.csproj | 11 ++++++++++- 7 files changed, 28 insertions(+), 6 deletions(-) diff --git a/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs b/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs index 622dffe65d..05d23d9866 100644 --- a/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs +++ b/MediaBrowser.Controller/Entities/InternalPeopleQuery.cs @@ -10,6 +10,7 @@ namespace MediaBrowser.Controller.Entities public List ExcludePersonTypes { get; set; } public int? MaxListOrder { get; set; } public Guid AppearsInItemId { get; set; } + public string NameContains { get; set; } public InternalPeopleQuery() { diff --git a/MediaBrowser.Server.Implementations/HttpServer/HttpListenerHost.cs b/MediaBrowser.Server.Implementations/HttpServer/HttpListenerHost.cs index 556fda1cdf..3795f4b157 100644 --- a/MediaBrowser.Server.Implementations/HttpServer/HttpListenerHost.cs +++ b/MediaBrowser.Server.Implementations/HttpServer/HttpListenerHost.cs @@ -104,7 +104,7 @@ namespace MediaBrowser.Server.Implementations.HttpServer container.Adapter = _containerAdapter; Plugins.Add(new SwaggerFeature()); - Plugins.Add(new CorsFeature(allowedHeaders: "Content-Type, Authorization, Range, X-MediaBrowser-Token")); + Plugins.Add(new CorsFeature(allowedHeaders: "Content-Type, Authorization, Range, X-MediaBrowser-Token, X-Emby-Authorization")); //Plugins.Add(new AuthFeature(() => new AuthUserSession(), new IAuthProvider[] { // new SessionAuthProvider(_containerAdapter.Resolve()), diff --git a/MediaBrowser.Server.Implementations/Library/SearchEngine.cs b/MediaBrowser.Server.Implementations/Library/SearchEngine.cs index 0cfa524eb8..05dde5b3e1 100644 --- a/MediaBrowser.Server.Implementations/Library/SearchEngine.cs +++ b/MediaBrowser.Server.Implementations/Library/SearchEngine.cs @@ -256,10 +256,15 @@ namespace MediaBrowser.Server.Implementations.Library if (query.IncludePeople) { + var itemIds = items.Select(i => i.Id).ToList(); + // Find persons - var persons = items.SelectMany(i => _libraryManager.GetPeople(i)) + var persons = _libraryManager.GetPeople(new InternalPeopleQuery + { + NameContains = searchTerm + }) + .Where(i => itemIds.Contains(i.ItemId)) .Select(i => i.Name) - .Where(i => !string.IsNullOrWhiteSpace(i)) .Distinct(StringComparer.OrdinalIgnoreCase) .ToList(); diff --git a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs index b65ea50f49..852fbd76c3 100644 --- a/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs +++ b/MediaBrowser.Server.Implementations/Persistence/SqliteItemRepository.cs @@ -1257,6 +1257,11 @@ namespace MediaBrowser.Server.Implementations.Persistence whereClauses.Add("ListOrder<=@MaxListOrder"); cmd.Parameters.Add(cmd, "@MaxListOrder", DbType.Int32).Value = query.MaxListOrder.Value; } + if (!string.IsNullOrWhiteSpace(query.NameContains)) + { + whereClauses.Add("Name like @NameContains"); + cmd.Parameters.Add(cmd, "@NameContains", DbType.String).Value = "%"+query.NameContains+"%"; + } return whereClauses; } diff --git a/MediaBrowser.ServerApplication/Properties/AssemblyInfo.cs b/MediaBrowser.ServerApplication/Properties/AssemblyInfo.cs index 080c12596d..cd31fb9539 100644 --- a/MediaBrowser.ServerApplication/Properties/AssemblyInfo.cs +++ b/MediaBrowser.ServerApplication/Properties/AssemblyInfo.cs @@ -5,11 +5,11 @@ using System.Runtime.InteropServices; // General Information about an assembly is controlled through the following // set of attributes. Change these attribute values to modify the information // associated with an assembly. -[assembly: AssemblyTitle("Media Browser Server")] +[assembly: AssemblyTitle("Emby Server")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] -[assembly: AssemblyProduct("Media Browser Server")] +[assembly: AssemblyProduct("Emby Server")] [assembly: AssemblyCopyright("Copyright © 2013")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] diff --git a/MediaBrowser.WebDashboard/Api/DashboardService.cs b/MediaBrowser.WebDashboard/Api/DashboardService.cs index b7f08da3e9..ce8ad58dde 100644 --- a/MediaBrowser.WebDashboard/Api/DashboardService.cs +++ b/MediaBrowser.WebDashboard/Api/DashboardService.cs @@ -316,6 +316,8 @@ namespace MediaBrowser.WebDashboard.Api File.Delete(Path.Combine(path, "thirdparty", "jquerymobile-1.4.5", "jquery.mobile-1.4.5.min.map")); Directory.Delete(Path.Combine(path, "bower_components"), true); + Directory.Delete(Path.Combine(path, "thirdparty", "viblast"), true); + // But we do need this CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js"), Path.Combine(path, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js")); CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "velocity", "velocity.min.js"), Path.Combine(path, "bower_components", "velocity", "velocity.min.js")); diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 7552065362..40ae0b21de 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -303,7 +303,16 @@ PreserveNewest - + + PreserveNewest + + + PreserveNewest + + + PreserveNewest + + PreserveNewest From 7ac68e5d5e08250f969ae0fdb1f4c1dbeacb2f28 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 10 Jul 2015 00:44:21 -0400 Subject: [PATCH 17/35] update icons --- .../Library/LibraryManager.cs | 2 ++ .../MediaBrowser.WebDashboard.csproj | 15 --------------- 2 files changed, 2 insertions(+), 15 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs index 995a7fabd1..c3793b3a3e 100644 --- a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs +++ b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs @@ -1108,6 +1108,8 @@ namespace MediaBrowser.Server.Implementations.Library progress.Report(innerPercent); }); + _logger.Debug("Running post-scan task {0}", task.GetType().Name); + try { await task.Run(innerProgress, cancellationToken).ConfigureAwait(false); diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 40ae0b21de..1b56764372 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -286,9 +286,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest @@ -2439,18 +2436,6 @@ PreserveNewest - - PreserveNewest - - - PreserveNewest - - - PreserveNewest - - - PreserveNewest - PreserveNewest From cd4dd44c0158c990ab4f700af3c7494c0b670d5c Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 10 Jul 2015 10:25:18 -0400 Subject: [PATCH 18/35] 3.0.5666.4 --- MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj | 6 ++++++ SharedVersion.cs | 2 +- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 1b56764372..c8c9c4d3c0 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -127,6 +127,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest @@ -193,6 +196,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest diff --git a/SharedVersion.cs b/SharedVersion.cs index 04b75a6662..f55070fd16 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.3")] +[assembly: AssemblyVersion("3.0.5666.4")] From 6270f4c912a959730cb302d979aa9fba8fa38ec2 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 10 Jul 2015 14:30:42 -0400 Subject: [PATCH 19/35] updated nuget --- MediaBrowser.Model/Dlna/StreamBuilder.cs | 21 +++++++++++++++++---- Nuget/MediaBrowser.Common.Internal.nuspec | 4 ++-- Nuget/MediaBrowser.Common.nuspec | 2 +- Nuget/MediaBrowser.Model.Signed.nuspec | 2 +- Nuget/MediaBrowser.Server.Core.nuspec | 4 ++-- 5 files changed, 23 insertions(+), 10 deletions(-) diff --git a/MediaBrowser.Model/Dlna/StreamBuilder.cs b/MediaBrowser.Model/Dlna/StreamBuilder.cs index 3c1c7ea6d4..5a9b3f1b1e 100644 --- a/MediaBrowser.Model/Dlna/StreamBuilder.cs +++ b/MediaBrowser.Model/Dlna/StreamBuilder.cs @@ -148,6 +148,7 @@ namespace MediaBrowser.Model.Dlna { if (!conditionProcessor.IsAudioConditionSatisfied(c, audioChannels, audioBitrate)) { + LogConditionFailure(options.Profile, "AudioCodecProfile", c, item); all = false; break; } @@ -274,14 +275,21 @@ namespace MediaBrowser.Model.Dlna { playMethods.Add(PlayMethod.DirectStream); } - + // The profile describes what the device supports // If device requirements are satisfied then allow both direct stream and direct play - if (item.SupportsDirectPlay && IsAudioEligibleForDirectPlay(item, GetBitrateForDirectPlayCheck(item, options))) + if (item.SupportsDirectPlay && + IsAudioEligibleForDirectPlay(item, GetBitrateForDirectPlayCheck(item, options))) { playMethods.Add(PlayMethod.DirectPlay); } } + else + { + _logger.Debug("Profile: {0}, No direct play profiles found for Path: {1}", + options.Profile.Name ?? "Unknown Profile", + item.Path ?? "Unknown path"); + } return playMethods; } @@ -774,8 +782,13 @@ namespace MediaBrowser.Model.Dlna private bool IsAudioEligibleForDirectPlay(MediaSourceInfo item, int? maxBitrate) { - // Honor the max bitrate setting - return !maxBitrate.HasValue || (item.Bitrate.HasValue && item.Bitrate.Value <= maxBitrate.Value); + if (!maxBitrate.HasValue || (item.Bitrate.HasValue && item.Bitrate.Value <= maxBitrate.Value)) + { + return true; + } + + _logger.Debug("Audio Bitrate exceeds DirectPlay limit"); + return false; } private void ValidateInput(VideoOptions options) diff --git a/Nuget/MediaBrowser.Common.Internal.nuspec b/Nuget/MediaBrowser.Common.Internal.nuspec index c5b3f04d4a..fffb68e364 100644 --- a/Nuget/MediaBrowser.Common.Internal.nuspec +++ b/Nuget/MediaBrowser.Common.Internal.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Common.Internal - 3.0.628 + 3.0.629 MediaBrowser.Common.Internal Luke ebr,Luke,scottisafool @@ -12,7 +12,7 @@ Contains common components shared by Emby Theater and Emby Server. Not intended for plugin developer consumption. Copyright © Emby 2013 - + diff --git a/Nuget/MediaBrowser.Common.nuspec b/Nuget/MediaBrowser.Common.nuspec index d87672ba65..856e63199a 100644 --- a/Nuget/MediaBrowser.Common.nuspec +++ b/Nuget/MediaBrowser.Common.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Common - 3.0.628 + 3.0.629 MediaBrowser.Common Emby Team ebr,Luke,scottisafool diff --git a/Nuget/MediaBrowser.Model.Signed.nuspec b/Nuget/MediaBrowser.Model.Signed.nuspec index e9c592decd..30175007dc 100644 --- a/Nuget/MediaBrowser.Model.Signed.nuspec +++ b/Nuget/MediaBrowser.Model.Signed.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Model.Signed - 3.0.628 + 3.0.629 MediaBrowser.Model - Signed Edition Emby Team ebr,Luke,scottisafool diff --git a/Nuget/MediaBrowser.Server.Core.nuspec b/Nuget/MediaBrowser.Server.Core.nuspec index 7525ad9e17..c688c6f2c5 100644 --- a/Nuget/MediaBrowser.Server.Core.nuspec +++ b/Nuget/MediaBrowser.Server.Core.nuspec @@ -2,7 +2,7 @@ MediaBrowser.Server.Core - 3.0.628 + 3.0.629 Media Browser.Server.Core Emby Team ebr,Luke,scottisafool @@ -12,7 +12,7 @@ Contains core components required to build plugins for Emby Server. Copyright © Emby 2013 - + From fe7fd7cd266be0fe8c0cc2be095cc0b267931ea9 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Fri, 10 Jul 2015 22:23:28 -0400 Subject: [PATCH 20/35] 3.0.5666.5 --- MediaBrowser.Model/Dlna/StreamBuilder.cs | 8 +------- .../Photos/BaseDynamicImageProvider.cs | 2 +- SharedVersion.cs | 2 +- 3 files changed, 3 insertions(+), 9 deletions(-) diff --git a/MediaBrowser.Model/Dlna/StreamBuilder.cs b/MediaBrowser.Model/Dlna/StreamBuilder.cs index 5a9b3f1b1e..340af3ac1a 100644 --- a/MediaBrowser.Model/Dlna/StreamBuilder.cs +++ b/MediaBrowser.Model/Dlna/StreamBuilder.cs @@ -753,10 +753,9 @@ namespace MediaBrowser.Model.Dlna } } + // Look for supported embedded subs that we can just mux into the output foreach (SubtitleProfile profile in subtitleProfiles) { - bool requiresConversion = !StringHelper.EqualsIgnoreCase(subtitleStream.Codec, profile.Format); - if (!profile.SupportsLanguage(subtitleStream.Language)) { continue; @@ -764,11 +763,6 @@ namespace MediaBrowser.Model.Dlna if (profile.Method == SubtitleDeliveryMethod.Embed && subtitleStream.IsTextSubtitleStream == MediaStream.IsTextFormat(profile.Format)) { - if (!requiresConversion) - { - return profile; - } - return profile; } } diff --git a/MediaBrowser.Server.Implementations/Photos/BaseDynamicImageProvider.cs b/MediaBrowser.Server.Implementations/Photos/BaseDynamicImageProvider.cs index 79ebc67d99..ef12544bac 100644 --- a/MediaBrowser.Server.Implementations/Photos/BaseDynamicImageProvider.cs +++ b/MediaBrowser.Server.Implementations/Photos/BaseDynamicImageProvider.cs @@ -205,7 +205,7 @@ namespace MediaBrowser.Server.Implementations.Photos if (item is UserView) { - return HasChanged(item, ImageType.Primary) || HasChanged(item, ImageType.Thumb); + return HasChanged(item, ImageType.Primary); } var items = GetItemsWithImages(item).Result; diff --git a/SharedVersion.cs b/SharedVersion.cs index f55070fd16..db9f1d8503 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.4")] +[assembly: AssemblyVersion("3.0.5666.5")] From 07f06f9fc344a5a3796d01fc3bda0b72b02bb036 Mon Sep 17 00:00:00 2001 From: angelblue05 Date: Fri, 10 Jul 2015 22:45:51 -0500 Subject: [PATCH 21/35] Replace logo --- MediaBrowser.Dlna/Images/logo120.jpg | Bin 8879 -> 5054 bytes MediaBrowser.Dlna/Images/logo120.png | Bin 13621 -> 840 bytes MediaBrowser.Dlna/Images/logo240.jpg | Bin 22073 -> 8197 bytes MediaBrowser.Dlna/Images/logo240.png | Bin 33252 -> 1681 bytes MediaBrowser.Dlna/Images/logo48.jpg | Bin 2997 -> 2099 bytes MediaBrowser.Dlna/Images/logo48.png | Bin 3837 -> 699 bytes 6 files changed, 0 insertions(+), 0 deletions(-) diff --git a/MediaBrowser.Dlna/Images/logo120.jpg b/MediaBrowser.Dlna/Images/logo120.jpg index 394c8e1376892774d2ca41e7e260d31e3a0a4a31..bbf2df46995428b590368dc903fc1e73e633d48e 100644 GIT binary patch literal 5054 zcmb7H2UHYGmu?s`k`YuSNRo__K{67CG%zF?k|c?WjD#U8L6QtG1SJnh5-_1;1PL-^ zktiS_3`5R2vxD#7eed7hv*&E}={ntAx4(OD)&0Ixb^i1GH$bbc0oDKr2mpWpe*x#? zfEqwZaM3P$!iz=(y6B0Ch(JUn#3UqtZc=hG5>j$f5)v{>GIENGhJU(5Npb1oO8~Bb^UApC)<0XsR!mIJK!(PR*A^d|F$pxQ6}Fjv?rrg5QfyVuj9dIDO|r+i_T;m-1qqI)a- zlXf0PKHgJ~>Wy0!+d1%>fK+~-1pHzM=6ERteail6ZhrodoxK-WY1mCN_oX^|R12tl zmu*7X%eP=Q4wWK*BVGZN&-{N#h?|VerU7KK^WEwyx$|k;sk7F+KsEDQ1~o~mU~mEe zPUtV10Aikw zNQaC%I__TG;?yF4Jn8BhPg1x8YIGh?w0Ftsa;3z9X&kMJHvZk?(fY5q7+%xtf#C<) zyh(fJ=KkLjc^MPZs8!x{$Y0CoV>@db-^^S5f^jCtfiDp|=GP>;%~X0F>S#mD?K30! zmzZ<&?%Rig{#zpd12)jEJ&8g~Hv}wO58DqGQyFx;{(%iM8J-vh7gUF)8S~TBD`(tarMdhz}WSXr+ zl@>fZ*Z&$Xi42F5^_lOU6go~+Z?Q|+SKzUO&?>i9l9UdwZo;D{@w~&Qi1jnvs2GDg{_K}b~$1DaKFAH~Y=sPJgVoW|LZg2)q60erDEGEe< zNZ$7xfLCiC;r#cEFlz}birm)WGzatC9#b-PE1G&$z81VJhgqa^MvmEoaQ4V}Z zrN|UFA@zKWg#Lbe4?WkyIxN{EFSaO}h z8<-529Y?fcABRhEF{<$g?Yvoxa}sLbZSEMYI(c!n%KYR0LwSA`REN_Qy3Kv;h76!K zd8aLd*#920p`jmW!MpJF=ZxB2cc<=|Z8rUi*p1Dp)6Qx3<&@>0YwHVVmAOMz`!;np zzk`>s6A9}Y8!KU~CLRxurP;*Jfg-k@dn^zN1BY_+Hlo0wgA;0ib|1M}*kqkbJZNlV zbffiS)KBr5x0{poZx`0Tt2i#YzjoR?Ds5u8im1|Bl7yp-6>rWS67Z_%Q7yLUs zG=t@+q`^H&mAl*|jZq2>i+w?o!JRn&fK1h&zt~`jZdOM%&(EBC{g7?5qPW2IB)!UV zl#Q?MftQ)1OOSb^;Gxtq_Gc31l|3_awUi>TgtOuguXq9#CbsgRt?nEK-x5qM%1qI&Ren->awEOD93oZ5)zU`EwK7=U3G5rG-7L zauOQT{LnGv?7U$fcwOu9K0rd0jCzn6R>^gCKWNlQFfOW3WMEqp!O65}_2a z%0{YzCDlz^R~v?~KqR>?0p z2$w5Yr7quwCA_QnmW>zlxwPVTHoD~ zoT^oiPPD?0$P;l*10pbedImewGf#|@i5LaL0g*cBz3*2N7JSffg`3kHD zj(MDIci_l%zQSBAdA6j(a_EVT=F0MsbTO)k&wQJn2L;=2u&^a^3TtVc?ty0=8f_aL zG~5<>H{LDQqGt~)vu>2Z6m9=DH!h7Z$xK02Ich)=nKQFn7bpkQMlY7*dCRJub3{ve z+PmBZ;BowzlYyCcCk+`dIT5Y3bso36s3hZDKl-0w*>b*zx%Tl;e7I|mpK?o0S9|{7 z+cr3Ktzr+G4nDVI(d>qu>@nllyL!hFNau%FkzDndbs3!Uv5G_RmlCiezwnTiSsTyL zxZm@8E@f^eu_Nef9HU`jD+YE1uP9KhX$R9<71oMg0s> zp>l)tmo)*FK2xO?ynB?349PkKMTJE}5Xwn&Hmfo~zVaFZXWUZ>P!;Y`-^Xaz&I-P)V0gUIJchG9o28ZR z8(rsHl?5NU9BP@iuh$61xB2i`J#V$-PJZqx1_pFr>0(H>ITZNT|8$Y92=lK{LM{Y> z?m`cU$cXWqtH1Ww1cXE+bhiNzu`Mmf4HZ?W=SNO1!)Mdt4f8_1@~N-(fJnI1AaQg$#z^CSecirgPw~ ziFMN1(HL_KrP#GQW-sp+Z_L71`=5sLN}7gSbL86HU*YICjru9p@{z|%%JQ2QPBCdJ zx71?4YG!U$PXpeo8gK;Ln%kS%n3yDF6d+3+j+hDUevTZ%{Sc6syq=7^5d%I3R7 z533OWA}QafPzE+k8`F<6+oD7k?Mk(Na93igJF?_-@?>F@W1oIiDN3f)GVkX($0dM# zeIz7li$H(6@w&p#OFN!gQ)GgVjMM%ugpq_CKTVVA**4k3+{N9iH+2OMi7`e;Su*va zk#?Uf8)AEHPZ<@qD+Qn0$*4wu(fv`Q=Dfe7;BD)it4H==rH2uWYsZZja3avRz^;S6 zJA+#%dmni;oLuA*-p?|#LYBOllKF`QGUg!xciSU>gq%Iw{O$}n31GKQx~BYDn3CkH zJVM@E8$#`*IN`#mCV0Q%&cn);Rn7wLb3oG8rd>oXXK?Xbp1d>}v7p&tgP~1`j@>3N zS1c+;a8Z-5sOHUTYJxDOYSRZAHX2rFQcK$RD%iaOL9ljs(`N`}DUG4mp#H)j{KRK4 zB7~!QDa6R>AVWxO{sd`Cik|eR$gtbYz$DeV;9ieJ9k1<;XGL?P-0~?^`#!jXFku+u z{EfLMtHbHq(EQ|5XQ}Av2-_u*^ymqX>y6jUL!WJT? z;Tw^U25>|C^5&U!JH-GwO%0=JQ=d_rJ;sFF^MUyK@P~RKtAy3xC}R5maz2G;t<(i; z35h8|M1+KYorx}3dqG+{6+COXR1KlFcAg*UpUrUMX)D&mz{oSb@rSthqp}jvgD0+l zG=Wx$h!whg2=%Un!JyArV=YG_Jnx4yw>ZK(Pcs%bzlNt-3d_@cb0&cwhR%IUALT>X zW$Cr`uquq(7%%Xi_Dl~) z3&!H+VxR`70+y#}ju$g{QF#5BF_!ZiOhEV=tLe>n?7XZ1pLBGLQmn9rMvsp6H)rTh1e^RYG@M_cdOtR5uQ%MTzx6r9q!eZBopQKnew-THO!X(eapkTA!SdiTZ*o?) zQ|aT;b-r3gtLzE|SMn0xEnX-j!FM|2uO#&?9`Kc~7#Q7qZ{kFj(*T-G9W-*a;4X08 zG1-U?NXxli{#`kri|qMR1^+CE{-jUcyN_5DaH`2~c?6ilZflh@n55^eq8swNAD;w1 zP&o%s(rY0`IvT^a4uj`FVt=y+h~cMh{}?hyvEfbj8V&4?S8C${|K(=a@1@-#v38N{!R*wItNDdqoJk=Xb)0JE$x12E<&7T@!#-b zZasf!q4C|KHaUnt;hV)N7fa)UwM+f=1r0jUDF0o#nu42dX^Y!q_W|+b@V^pmNO4w& z64Hu*lnIrg!r^KkiprA8(os@1$hTOx`u(spvSyx58tWo6iTu?k3W@=`0O?q)E$s^b zGWRlXe%w3zQpDK0!tdE|Tl#~@_eQ1ZP@kIY9ECyvw5I+c{x}#9x7!0|vBa2VZ{uxt WRj`9gm`(85oWGy_MI4RiqyGWWcRy(W literal 8879 zcmbt(3p7;i+xHfwRHhsf(mW;SkTf}Fp6Wr!OwMPMR8C2S42{`Oga}iFa+)F}p>oP` zoE1q7CKP5SwuIsl2Uj>uE z9!oO|GeAg42sj6S00ABFHO2c~1psSnKpg;p?SP1o9IzEW6M~zGkoSUVfgTf z=zB4-arfgBQc@qMrDr^OnwgjXqM)$oW$~+b6_r)hHScTdTHD$?I=eo6>>i*F4h_@3 zj*QY7%pX(JGe2kN*uR%oRyk|X`o=%FgaG0Hxa_}?{cpJT!nn4GhzN^_{)0=G7&Cr@}UfCl({)w~4Y|JL|ERRRFg*LA3&q3(bPey^eR=a`^k&z2YN za}yFvnyW^ohVt=>m9>=WDpttwa81S@b?Z~FCBJn9C|1>ZcpSaNIKLtQqN54+Jn$-R zw>bFoQ@1f>Y~Jz( z>yIz12G4S3FIY(RTPc*7AGK8!P3liDJa*;i_VUH|kQ2RE-;VQi_mOqQCHqgomwya6 z1@aoUu99>1Vx4c-p?-6niDt!%~etK-1W^56|Di7&o|ZN=p4TUB05Cp(rOWtQ`qL_q zt2Y@$UzdR^X00JQEBUJP1~hHr}<q!B?^3ay}wg*kmUXkttA(x1|0^s{GVj(5>Yr`q#HuP@|C_|M0%(c7>Jwu)MaC}Oq z?2C1WyxYSkm!Hp_t({S(EzboQKwk8Bp1;gv1wdPwUwO}_`Lhh<&CZP8`6UX6C>)5M zLo79ItoW=bc?*E8Wo#w-1<>dF4&7PyJ}wVyf6)+zbA# zl}7pYeHXGyz9XC~svr2JGv?1XMs069W_sL8v(D_PkHgj{TiS(EOe3+I+V0Vte-gyx zE9x2WbDvI(fci{@YbaBhEZrb+{e9^kq>|W=erF1fDl3P~QM;z?IHBHWZr#f`dGhA1 z#8M3l{hzgYRKK;0`fG_w$t||!S(ppO58BRz%tSStVkAqqcWZX-ly$XuKdyCryw^x~ zQ$8<2V|_nAQ%p7Q?|&M)Ct}%A0GzLr&*Gc-tOVne1uE zCNJu-ohH$-C;H&26l=gT5F%WC7AfA?p@?wnOM}KF?yg+fTRLL@$v7CuZr9n-2xsF_ zkNUZdu=|TMaUF7xtbp{jJ>#GZt*&-6@T){Hrx@zvp)P_CNZpiY6i6dxEp-zBTlQc6 zPBP+Lj$dx>b8OcF<2ZS!ph zo$VZ|5)j;-IAcxmv%FBc-=4Hwvzu0&F{z&_V=3m~OMf@gs+)s1r7WI5-cS%%dghgd ziI23SI=I`^@cNC6ir!5kLE}9OlTUvFP8Nbymt7ZU7PnCL1vc1Iw(}Jqj3MLl&oxr} zT0YSD`!>EI5%N9vLpA3k4?a<@GUYdqJKE0?{#jUCp|cD;#ZR>o4XJi5n$zQ;9=1_i zE(!`z%4h}en>LB!z0HTYe#QQt!YtY&_SKIs23G5l626%pJ$~kG>6Z{YU1URgo{Vn4 zM#%^WbdE9sv1ez;YA8tF_1H0I2U(wHn{=f&uNrSzbbc{P9j#NO51$)N>F_p4J2!}1 za6dsi5kP;dQ%68|GZ$}Ex<$K}kt<&?W*tk#va9qdCu{=dR*uqDjTjXLS}wLFrz?j8 zL)JA0E6YC>e6&IPS!O@ynL=57F-cY!ZkT8^=ZfV@AvoDzt~IF<&@7dET+u>Tt~z_> z5sTDrB2x#2n=~>tffhDq_~f9m2jZTwc@VMgnxS-eQBtVn&6hZJ_rm8l(UZ@}qRGXY zEFJ~)%l8)m6nXxU@#|2B6U%UXj4to8X-s) z$w!*?M82dJ<0biGIxM@hBo6+8J+F!4ue}f5s(s%?k?qs2R^GG^&qmWjpgYbqW0m6B zad9?sl&|6OZgx~NIl5%lv9|;!<w z(~avXWjVttl8eOBIL2Z|dk~~FvG|m!Aj+I*$Bu3pr7c zTRM7=ZY`rGUi>|`KjLPNtHbPjbHwQ;CpEjZ#|0f7#u}XlC3LQ%yhiB(jEr(V zRz}YGD_FtwB6ZS!IOsUfRTVPD9v2qQJJz7mu%R7c5l-BFMU2qVGd1XK#=_GJr#0Hj zpjiEJ>-;cqeM|cruXy}=*VOh~Lt_w>gA+*$_b$ZE~_1n+2GfBB7SS0XB#AU;r9|I#J-^K%v zjalOrD`XIR>T*Z7rA!|c03%LJpTA8+poqTagWGsd2oB7Nu~#!48%r^(^2q%oyjMs> zb(Y4*t^CK1-%$$U!=Jyr^N-NXNhTE^9lcr=#?Y2=`XKd4zt9Oc$a+Rn#`jJk;XNBWlv+?WQuicMjugqZ%P@NKJ3)1imKH`5tj!caH z=J#IJRPo8;z2tc6dFXYw1nDmJ7VY$SB0Dj?*k#a+>H*unn*4EKFN@q#WRf{t4RT!9 zVusL@B`i0v)k!Owb#U4`Z%No@}HlY8>bc;0KSODs3F z(>6F?-X++gbW=90FtBUh;G1zHIc{{7Sn~PJ^XSo?MFDj$!UTZ#c;4hl<0oCW2X_xL z5jnE)+3K|pN_TNdarW+#4L7ONSQ?TSp|Lmz1-44R$n2IjaR{*O^nRAJ@QXI=F<#H1 zdQx&Pu$@T0D#*nu*F_^*^F?(FKWSe|iH1sJ9mNsU$r!EJIX{ub_xxp)3ljLNynO9~<^G!z@2k%RC+a8FjX1}!uLbQ&{nF#>Dc%i1bvYVb((hDgcE~kzBxZR_B3tL0* z211(m3;(S_9G>6*gR`{q3o!$Qm4A78iM}moNo#SDwHVpx(U(+iX&q|y4%=8Cu(t7S zrN@feX#uY(9`PHZt(2Gmwj90wiOjkn0KTs4`Gj@CM724y_WKU+6hCbp3<^(1taB7; zQ~~f>V-73s?yn>4_>!j^?KisGwP;4nSOzOCCtGA*{77jm9gWC z+3474cLho%L(pj!0a<=fl&6C$L9;@nI+6D#-g(K+Ftppto+ucj=uHNzy&y8(@R6-i z2=^3%Il+zK`_Mu08=t*f!mn%Se0Z0A{dmE(4*Pb-8-4%P>F1>K?P`N1J1~}eZ0^|+ z7i=v*25{UXb9~;LD0f|Go?cIuM2O+_#P(nFh_KI_y7yeIYP*H0fps^g$8pSO$t)EH zS`B+F!Q-7Q-@xy$1DCa1gYKy#4vvd{r+p!TmMb|%{GE!MpvTtZgaB&tq#;2QvTVG& zIGM_i)L>be4&Sg3noSns216?xMq~6}G`_w3hS0=YAe32DG|)6&w2c)pbmOyG1Eu0v zt|P8>b7j>;jg6M_09*Oj>)hrcvL?}Fobq%t+z)<~2wubGuBYt0jyfOYE}|5oizKoE zlCkn^++sMpo`LL85N6`;H+V}^I&k8s#5!D3gD$;qC*H_qx$=9D_sM4j&Ai!tnS*b} zbY}+?u8sUi##}B&V$f-P7CA)14)GO63V?_~`cKNPq4*4eM%rn!@&FULrmA!UYMZ`Uzm&_Ig_!1Bd1tf-=cw=Xh{Q1Gx z%uFNXFz#=1MQ+S9eg|2O;t$Htt>N|%b+{LKIZayl9==56&4PxkHdowzV_}9-vF6Hp zxtz-sZPnNPBSV3BrsCs)A~S0GgtgU26mH59u}4~Xx_Pzldd?lhb0nSjh;XW|k1Mff z+=qWHxRW|F%gSm;7;M%3-i1*M?JLq#c^yYq7e72*u3`RC_R$Y1-g_U-F zt(eq)_GxYFG5hsWOPzox{EN7bKchF>5)U4~MQpf8yqd6H7$mhv{IU(n3^}tNJZOV^ zb4L~4m~hE=glMpe_*GQ%qk#<0pJid~294|IxtD9kw4#zJdSn%^pW$dr{uJ>T|8vt` zULnlsuuSs@t!?5U{{tG98~m`_A<`tSg}ejGXXv$}58%lyb=ZX|`jR|BpO<|iGPtYB zg!CsA&a^s(vrNV6&Y%1;?@Ea-4P4|Zl*A0l8D*6u89^9W68WL>QuwoWx#*F*{3gum z&i3M$vd4UvR593ik#UMJ>@CnWFX%IXicF;pE2XE(8a1sIpHk!~%COt9ff zZOnl!oz(K!jgF(2RnJ`D(KL%M9r7HA@ke=~Ofc5o_?kYMPkFS}y|8p7G7cF9u$JxF z_t30!*s4RI+-4~UOpfFe2Ry}T z+_P-qb3;wakkP^f5UO0&PcSHgto|G>KiqHEc@i7Qv_@SWe$BKB$T45PNMexNp9=t# zWY;P1XCQkU8VNmt_a?=#jx5DLqB_HnN$TVE*0H%1#zl>ESrdGLyw7TBpX@DOkdZ}) zLtAg_Jj%ARm|9{sTdYcZoHumN?(xZVpU0yUBT{2G{m>;-HI#~MZ_Qhqp1RrUZuV2~ zYD>4nZd9_1xRS_8rx@5r`Bv)dL^O5aHW?|`I8}0z%`0zs0NrI^rNb*!=7c8~b z<0QCf*83Vr5>#j^ojgYfV`P=uS}V_VIHj1g)|@sS(+XZ^r1+t&iCy3uM9WefxjJZJ z?6n{64Px;Wi+D5H=wRG`i$iMpn=PfA1CfGxdl8Jvn6KwX?`Ys}QbU*J7?Pobx0%RbQ zQ8-9VbiuD^&Qq7|`P@5N!lJ~9rGoa!szC-&-w2amaXT1b7cjIRFc$_G(d*)l?x zYM4s%4)-o#{y(?eotd?hQ&%UXhmiqe#JwKz=sJ3>A>%N`-o&$EN{D|3{nrlZE3$k?3KQS;WdjvyW{dkK1Y++8_Y$U>nbZmbD*D9%a*D3#pA*}RlHH^*LjY>)P{s(TQgq68I<2OSt zvKZ#-cWRUF*g@vH(=$KMKU6PdFl+nJ-PO-{$uRr-JyZLo= zYfT{KGHz_2u@A?FR}hN@@1mu^^)x1zIY2RU`Roacn?|BFJdu6@FqOkC4W^GfBsQia zq|13{hsLbYu^j3z)QKgDhcYwB2jFULSu3^u>(0&Qh_DR-u<^EU-r14-j=UIm@EgCI zQklo3P5N{QC4Wc6bfPmr*Pn}&D-)yZ=ID1_i;A;-%}enU+)qR>_NL8Is&@4gF4CG< zb!K7%_n~FVc}xJ*T_QS1z_|exM6G2$f^zUM_p%od<>k;NN=;Clo(r5dXl8wz;U5$2 zax&N;$gvOP+zH`oK=IfS5~p66ZymrP!NMStttSAUX7Wdkl?np*``}TEbD8D|A=ch) zo{IhG$s7T&SF@^A6h{pT2@ETYzFwbf-yl=rIyQWqha@nJ3Qy)rgL6+ zcvziECcm091lvpGHO)468@3+nJGnXDvKj&gbt|VgD2WS(B_}^g?ui zq5y~}0Ix|ou}7Jo)e@{WEww&sG#uPob2+_yjutrPG`zsiCn!EVIo90hcKvI%tt-c} zDkJYJUp0;^XUF^kll*Q99m&;^>k|N{Ea7A(+KLc?o?hcBk~a^@^{qmM0h_LQB|MNp z*^o7dQ|LEnZZ8iv(8I&h;f1p$gD-svR`ort#t7`42DNB%IlTgbOGE(BU}2g6kG=tc1;toVE&U5QrSfVx7gaY{dKU8n%Za&w6>LsU!E<4P<3t5Ci* ztfEp}iMy#!J zHilp8d5BVJBes2fg6=Iu|`(}fDW10#~1#|F|K7d5v$Yp1~$o4`MIEnF@9|1F zS@!dT0KCJ6lsmy1dMo%{^T$4^w!Y9$RcW)oiNO;bg=|VOuAbsHJa|$!6hN%4gYMsc~F|-J7BZ(R2)d7+y@KTsTdenYZQo!hAsiTXvc3 z^OMOqD8UkKBPEX?j#W81E(5u2YRw)yv7B~TNH3mv2yfIpE|De%R`7G zw`GoRpUhZ41>3j_SJ;1{w8z3as&~*yQRp3@4?3DJ(~vvg3W}S^LfE!+xvHtbc%}C= z0?4%1`18vW*Qqoz)5WW@GOEv#HBAcAF!#>?`0^B|;^o?9cg4p(sK@>{%I>6lUHity zFVIHZtfh|{v+U;`ALpdJvmY*VkhCy4KX!lF_+8cw#;$zi{kjWnUdIK1|LRnIv8#Tq z-HW_3-t_cJ<-s!akO1JCif)PufPMvDDTVa_f-|hXfd)HH8oZg|aB_)~NUk7vE!{KO z57}*AnB^-$B`iBec^inp%{T3Zuz}CN&Nu0^v>NG2%1bWqseIkJFqWU=Xl!xN$>*r# ztd|}gzNx3G(gwR9T5v6S#f|1aCYa`sszF#=O=}teYuP z{jBHN=Meg8o|xgdo{$~f?%+3AU_dueZ?&JgrjAX&Ih97P>>p{22pGeBU%dsA#^h`H zlv3$7UIB?s=HfwhjTPMW;fWkd+R6$poQ-t)y}2|s!wVdrSTHb!*=`5VS<1!~kmeS` z`lw67alUG2;W)Qj_aPhBX8?Yz@#c5e5NiJ=_n*(*<*yipP?m4(=Pc~< z9W2ExE%a$cwsIEAnF#?7cTSSUjWk=XhS04PPCLaI)V2f<6*85x-E0f=t?W71$BaCb zDT(m@jy83{fONVnn&SrvfQhsc3jwe#`JDjxd^-3u_+t>3$|q7$yo`R&ANZvNW_3W& zW=aov=ALm;tGmfs&yoNL#!vA5&`B>~TNY2jnLk{Z$lv~OX_EKXU>kq;(Th3)00H#z zMxP0QpAX9yhzb2S1%QlZ#cj$jb4@rkIF26tbpU>28piiv!gT$TZvZkRw=HdgaNjG~ z4)ISoZ`kuhkB402`@e*ZkjfYQ6F~N!_buQjnCR)-;F$f%^DhBVoDIKuJu|^=fVJIa z8}2Ou(5}22=3<@z$b5y~P=tfi{qypC(k7gj+k-3SG!DuX4c&M55&&o81i(F6ADHjL zK_@SM;SCyZC-{3ADFAxS**y9LbYkXAC9U#Kxis;+VPQSJKGO1YV3=t?=(96uxBo_2 z+JT>Iqr@!6PD(Nnt_*^-7Tel_iu>ris~QFhK7l6}R8l&?izghV@kD9eV(z76tf(xB}^*t=?py|NsBr|9CHE zSJUD*H{;tJ`+x<_yJn`}8hlZ2YKmY!G^!ee9_t$GqlouV&N!c6w_4n70 zKR>?x@#e+1=SQC%-uZCbnma2OT%Xf*wzc9|QO5qHi?7e0eRX>O<2@^HEnRwJ;pB_` zedoI-Th9^$x>Bel$S;_o!|9vo<>|~z@5r3!=l?aw??O*H>njEZCTC9<$B>MBZ?8uO z2?t8JK4hMB&4Iy|(_>MKw+N%?`_J=d<^J3tw?gTQ)rR;4-v_H-#m4?EFU&1bmCRck zDQT|#I4$+gnx5HH3pX3(g&p%fy`xg{`sufNzFjAGZwZuBN0K{xY6psjsWvx#cAbc= z-8i#&;_j%4b5}pP=UTRIQnk3{L!qJ@u70~uoI87Z_hYZX%HNT7LZ6o0dv)j3+WaeT ze#e|T$2w1LpKZaW;>P8d``x)!t;Kh|e-d%>66?EabMsAQjWeT89AZs-<+!N?#%u(t zow+OaSS((A} zo%Z4A{8uq4%=-0uTe@vz_Qixgj@K+&?J=k?Q%8ZVXl zw{Led6yI6y?I^Zx(*NBj4o&^EU!P}F!P+~!PjF73a9OYD7AUkc#Vy||EsuS&rF%}< yL|lS5TOx>Frq# zCNqB95c(QxsT0(GyT5fiAbz2yuSP)7kWO{!Kyo{#@PbB;@p zV)S0l#jjfbSjdft@8I({ZPXbO9;ilAexi8#o`K>0$r8u!y?~{e#LUOu zhXW0~J1sdg7uP3p8@a*G#K-ze3}>B<)8{n~=VDzOU8BmSYR|IKS>-}b0=gDojsH*G z>!Bgu@Eg|j;qY%=%XXKQ0Eg}pYy_;wfpozHF94bi!ZgtcRTR!H`y=Vtt{V8 zlRv9gSzpTxT)^|+yk3>)(bigyHc5-n`@yEwg_5Mb)_B2rnLH|Y>ZvG7{;-umM4mXy z*3aCw!W-vsRxy;K#0XzW3b#Kqy?6&SH*)9(wj6!{e_8)XE7)x9OFkd62n?I2iBI^z zk(Mzj%USB`AvZ9&7+^i=H7`(dkY?gDWV7*oD)ify!k)s5-H=Um+f~NUT;=H(XvsCRpl8N@*_X-R?!t^!4}vLY9$MJ?s2PVC4e~}mrIhl@ z1$=)EsJQ%EUv2*g)D!)Y$vF7UGmlP9di@fsT1FTn%mngJKj}lOHomF(Va1+Izw|=M z=>VY)yiHeI_~c>hKjm_)(z~NVIswONp094NAQqhI0+oOJ_kG*#hD|(w{Ix0iNO$#B z@Pt*I-hIHENb`qrn{7+t=H&#!ov9|LCh<5PuKD#DN*7>GfTQPp@9^M~fkZrSv*h86 z6!ZvhJQ}9&HA#~c4U1VhSHL8Z$kM6)vC(n)#7|t=u(C)eF!b>4lwa4Wk?l$Hjqaz^ zQP1GD`$4~3*U5$1(iTeZh&l_$#1IBaB1RIjz{kc3#}0tJA5TREBfS7H7Ks-)ma5}e zHsZH+c$ZYFh%}wvIQOu4PoP%@Gw~6(-gfx>-q6Qz!H{N#C_~P_ErB&&sF}EVs2E6gu>?YHz#P4AGDlk$Gz|u^A{Drd0yZ2i7yq8lH!X@@bN`c3?)sH6 zdGlRzgC2-m5ff%(NO1Q18S4eKp_qnI;TZ(1D5qf;66%;-w-_&wHMv=qnEU~|^Uv5Y zpzT+d#P}V6CbW~f#|&^vNo*Ip@)3F;g{1a$F$@Ok+H;`gmf_OQ8 zg-pID9qxa!>N)MNa!o=0Z71}1E=jB2vDhC%gs*u$1gw2xNra=sPvHmHX1}Hn$<)GJ zU8S47a@|bu9k#kzaGFnE0853>95BIbo`bm%E^_=G-e3|C8Q2H<%L(&RK<>Uknrc!h z;^(F%xn|NThewG%SZofHxKemR<39KB6#rLrMk##RBz>3&ranbTKJ817l9u|Rs@szN zlDP)Cn;KBtvb5kWreFjY3KazM(64> z-N6Y0<=lqufleP0+r_MGGns@EMSDIUd*0KWv7$h)80mj1LcDAe?UdB0z^(p=hdkm` z^tXFh#E`W6zDaY6vd_@wE7HJJz4b^!I&v1(mO(m-QPY}*veeRWj=7eXKR8qgo4sZS zNaAE_>1!5*wmy_|(325N`QfL^y-GK!jQvPJ$xIx)TIe-)0lC_1zNsJctQZf+F=OOB zfGwKl*5JklEL0IkjPwO<8&$675fVUfO#gNyTr)uvO)^U_g6J*Z1nXe3l-5E%72$Er zuF^vTkpuN^Wpf0^H9uUtAKE0ymT@vF@OKbfN!E89bufgff#g_`a{VQ7Ot%(ymFO2@ z6)=F0Q^@FgKf56Mx)*Y~+g4kw8eM1-Qq)%V4=Go>#eR|U@W4Zlk1D6-g<4xLPkz*& z``I++$Lyq4>yVGy3!#PCaF1nlY(A~CF;=fB*R5OF2F1IOVAt@O8%4wlrG32yfZ7t` zdJrAxLx$J~{XeWkO^88SreHDS`&NOs8dv`#tfQWk36v}MCy3rx|D&`MzYqQsj@cqx zuH6m!b4eATvlsHape-I0s_&&eQMv|};)&((9(sKwMB3ZPrjJ36n8-syeLnc|+PVV6 zIH!L9LkJ^qQx#qwKL%h#2~&hiB8;kzmD1E}@|*-x!ai9UHKZ%cHpdc<{@$OL(fW(-DvH+ zW`OI$T{pO_akn4!6W~N}PLitkw9=!!PA!hmJri8f#Z&AFq5JP}=&uVdqyB3xOzXb5 zyWF1#?nQkjUdJA4TQo<%F{T`>{wbNT7*l$C5fh(F~# z`en8}_Nw{OVyGc@t0Esh(JbcXpu{ZD33h2G9jn-nXkV`c%qT}pzYA9<%Z-6i?KoNi zPhAgmZ+6@FAHMiYn1tI$Wu=C0ZhLl?cTUhfl7A(YJ7XvohhYJG-J~SVk3D36_#sqwv!-*_0g~o}d z&w4OjHt)lO_mt6EZAvBq6J~a=z`|sENFshtvc9H^t}?rhzsho`n!kCrV}6?CX){4j ztEY>$Y<}u{s2s4mN=@yg*d~N#MqE@@u6-r4G*GGW>{MM|ZDqg~0Z*jK#KZS1`MFJFx6aHmNp z%GrS2XAh&jgUP41-wtrhf1f|S%y!>NtHd6(0L&MiU`=S_J+K#KdYv{Z|ak^Q2*=jDgr7uq(S2NWYWu ziF+bIWf(|n=U|jO>`0F0!v%H3Vfo`5LR%hD{xF5$YhUl1{XYwr zf8&Fc=E9YG!>^-fk`|236^^UQAOGx@i|JXiB67Fsi^U;ZocH@8IJQIh zoL^&z@P1cUlbc8b2hj^ZDT~KYLgr7Qiwy)1n6Rx>&Xr;cUvm9c7>4Io+3(VjJMQ9=Ca`|T53|GQp z%+Sf$<=Q8VSb2`y_%Z(H(G@IbR_l27YOUoQAm`}iYrCk`H9_Uk22tiP%n$`#yeU-6 zSElOOcvx>tu@n*&{SlS~b_M2=$XeeMNPE5Zekvb&AY67TV;rVc&WdbcG5oBoSaKoa zbh1>A74#g-&56*Zi?~w$bbi5qblA>4USoHiNUL&AV`>*vIDWycdhA&Gm^a-?g~z(2 z>)T5;^S*cb5Gw7wVuzlu?B_pqCy3`0h>70VGm9|X?}Jk~<8`pP@P>Pm2{O8(uV9ZL zuIP*>%rzx2g`bBS+7jiG&*kCHLK6aSW50h(+wS#;?tSpc%NdI~dN7G_%S^gZL%R<| zl(FDOpimPxQm8!rv0lovdg8Y)rDT}l5p_xa@6GISX&Rt zk5rgWX4DzblrK75V$KElnd*Tzy(&hZsnG^7PJ@3i3!g{^=KhcowvvXG>Qmw26UT46 zcY$+UC{A;~M-$*Q_(U4Lu+=}?F~PDq)!#cUw0X=;`4y6QKt-YRX9>>e+!kACT-a<8 zkZr4|m>4I3NWq8>^gNGWQvmcEe56A#T6T15RLa`EEAQt={LF-kgL2dkD|n&4a+MXvGg~)h#$AWyqj8|i*~ z*P@$a|I9WwYo<5Phq`);E~{oJ-cEBjC&ihX`I!M^%9Cm@Qtf;z*aD{C|%8!P(G3dB&ySoAi*6k z>;-@Mx(3_^H;}y;{|#(eVLh{7?nvRyDFEFV3j_zt@t;wHitiy~fO5o04W#Q>t%XnD zJ^zkmMnVY@U3YF~;~ zE)$e5E_Hj}#CM@qo3G!bEno8%67cVL@UjIZ8_;wJw_eB;cAg0KNc z)z0;G;L6&~b{9=8DwS<#OrFhq_IF+Zpi>SJxsyBZYGQn!J)Ni*suR0c@Lk6@#&xWX zke0aTNiPiw-wDihz)=Bn8-Dm(^3RciXLrbV zf@?&(uCu?=L2*A)%^sE=irEAoG5^|WiNuC$)C^4v1n#@fr4w!L&A&p)E{CeuJwI)` zJm-G@>yRU>El~A~!GbS~>$%+T)<2PX20B~X7kf7<4$^}4K3)N1GVDomf*;@ks;!AD zyovKJ242!2BH>?;{*mJ0yL|4}nVb{|XJ-c~7+7Mch>f&F@VCoh5@~@9(qHTes*)T> z31m|Za+zm4$Sc}7kLEpD23wY|y=mI0=dvq*zdQZVX~VSb?7aP_5@&5u*da-i-7Chb zP9Bi&_BwM>f}do;pEBD7DK(o~4@YUich9}14r`=b&zQR_0Z%0I4X?iH5r^_gt@`W& z-ZPL9Qss=7dx1Y>Y@Ve|^;%$GE{4hTltuB0)|G2V%jeyHsx_tdPaP`_Go&CDvHplDNkTz(N)onJF@%%y0g6 zV1-Yk?)B!A3R<5x@UmcMF&ODnJmlt49@7(=Ry|>TT4J>(1Qi~k$otj-r^oXd4Xen| zv3kWG-3mkQKfuvi5$HW87f%5IPq`hC3c*6S(uUJaoF%&{YR zY3RdrIx32Fypcn63w^J{GkR6M&eTE z37RN=@hEy4TxJZb0meXz!JYGgp>8vsa7)dNe2sZy^0T!)lznPby8z5xA-3AH^3Arw zL#eu$-a`ce#jfNBlx+{u_4z2u(1(;NTK58s^o(Tt-y9oXR$O5|bfhypIu~d_7b9i3 z->nIg2{>&7)gCqOij|vkmSBGKWPSU7zdXfqoz-cIvvN2@`&l1_j;DOg)u9};lK{u^ z&~M0y@}qL%zcb{FpjK1lu6e1|nd7K0lW910-=qdLY+9gg_Yu}KP{XH5XS)T+=dIMx zPC)vY&v}D}{8)gi09&1cg0~{iI z{5kZCT&QSk?H+IQ!qr*>HeGT0B-3n(@Nmg1A&in1kM8ZmRBw`>F>?dEQU~j`vWc@e zD}Uu1Jh4C1ru;zgrV`$tJ;5~WrgWS#n>pX1lqbT)nJ=x0sleMB)2w*(MS%E z1JH`6=b8=E-pM_?nl}5o=Sm-3_&meSAW$zKWa*WP3bf|=Sf!gxT6vZ=_C(LA<4~VO zYZ`iR$7Wpmht3goS?JGk3HJ7~*8{z^eNL%W7lx^u?_=1_SFB`=_HLe9CI_&T1F6k!&W@Tb|1HnFYa!zVKw7N@Ldtj)o zrPtfAVcwjF0679=P7YWKME0xz^=_ong{1KpHKe$F#eL)9YmMmwvW@qvN8#sd$#w5H zzH%^41{qaP-qj!G{UE1kkF>5qdZ~KNY5cbG0>J;MMaA$iaQ3`RnvUzKTGEh;wXnPt z(w)jD4@j&JpkqZ(}e8y)hqsz`kmfVp0#|AqHb)A>hN7av`=; z)gy_7<5)P*f|2G9AXKiB4KNZ7z<7$WWnrm>Ti)*~>i5g&M^f18kgEGIf@C>(2b;z_ zf&^yyyjg^GvXQ$Jh_w`t(lzOVweYnD4;9c!hMBUiGIR-wHUtvk`{Qwet44={MqVgc zHVx4ic&P7+^B2v$7=S!E$_#+-F?~^W^y(T8pH8Q^Kl`u0 z84F45^`<9Bgiwe$df9tzH=}KlDi7E4p1kiK)t$;E4@jGfgRu}nowGKp7UqDV(PrYQ z0ip!4^op3Zg8~?D@Ewq$7?c#Dh$}Wqlu3xQ*Tn2SB3Bl%%?!SWEgJl6qh-?YOmYGc z!hXC4)-GafELxGa<+qC>~$FYxJM@LRfu{6{ilQZv+_am=rjjRl{R>OKMto@ z%~koB_3e}E+#bN7s}gY?cfn6nRVbP*%!1G&w0e@_nnO;@1BmhG(UGYPFSsCO-_53z z8DqUv94IAVN|H*q=|x6OYm$pZStn>x6|eODul=0x_n_Xq7485?48fOyYimb|hc0q_ z{|V`#5?^B~yoO$r&l|9hE>4p&9F%b<^_&0%GlNFcJnkYl`rRu@4%}gx^_k4KbCg35 z%x_vBdSrV8*9pS)8 z6h{q9o}zgTZ#5uu+Zo(Vd(TXZ*r5l7_Gg>WyDb=R3D({<2`s!rM%3rpe#xdwK+Et^ zo6D7qKXg4KikHDvO<6y{&i%oRz;j7tDiJ~7bXK_@P=6pwY|dXP)rYV)n0{ClgQ$jt zsvj{3gxoh){-$>nl)xnl0%Pm4lrnk{GIx==+B10+v+v4+ANRay&@==4q}o4XG#1pL z!p)GV9^Jy-dx=V)5DTcxjy^pfemSRr4Bu>IM~Eos=VpNzs~Lb1ArjrM?CWuSskJf;iV|bC8RFO_Akm4S6tf z=YimD(1jROa%!JqND9|&m|1P;_lu5PIYyd&9(`}}4v;O>8_0HX;8FsW)TNDIBiHwl zjH_kNtIH|Cm}q+pj!go2Uj&xg?DwpcYwz(I^3Epn5@icPSkRj>^uwq(JE>3^$OW)U zV$v83|MBbH&lUz@C$a~Nguey>r#AoQbD#MM8?GboB>_mQUIcxLUn%HG+-sG>hYRb6 z#Q96%dFLVZ;2FNYD6wzu!l{0iL_RKMzP0p9>?kd;6n_Xc5#G^U3Y6}o2n?Zsgx&-8 zcek@5a~bmLnN*L6t2fj!w{D_@ueta1ak1c@Xr*q#LoX#TI+Nc z4OYeQkMA_u>iTjEJK?)4R|tfOI)&O2jL;TRe^{!NADGZ&bIhHJyEOthdWpWKjjh^I z3qSsl#3(xL*B8~ZNbskpmn?OXczUNN(ZdxEU6>vt&Y?ExDRFv@HE^^6Oo@~ENIwJr zVJEp4%fl&gAf`9rH*Jv6#{-evnAJreC_0Z1Zolg^kWYcN zv(RxY@ZBUC6hhE6P!q4BGroOv0ewz?ZVk*+`znod96KL;SKeq(2ukliSNcYU5^s=P z1qLgE(g#;$xR8TXxPhmJpR?T_U}3!a@&B1LdfkNe^VmQSjE^22yICVeg1iOxrikjq z+WtK2c+fNtPN>yL+oK2eiBmgnt&9_j&e}mNrS*J_DUbxRBW-}Q?$VIDsLh2><~gBJ ze3ty7;9|8Sv^u8-^<1#{YcSucS#OOs*0*yHpWkKDRp=7yxh`N6KuFUU?mgyJS*n1$3g@&1RW^IiDM$gl)`mXz0P8EMoI1vLrQSV+2$ zGhmLF%*PBYa?6TI=?=^(GrL}xmjw$=9W=aM7*soYthci&hM~Z}9UFAy{&wrOf_!Qh z&bT2^AC)p;4}A67ypiZFCAsq>Ae%xYfYj>KJu6@^2goyK?Ga|1{dR}emd|GROR*p~ zsBj~Q1@&aadVgY#&Y=Nxi3Hb~gL36ORfuZfYr*@- z;=79D$~5)%Cb&}8!nNB;kY#3yRC*MQ5JZLN+6J)n<#k&hkya0pND-oV^I!$f_dhlK zco(F<-c+*ncnUsDkwX6|kq?Y9^5NCLivqH_6fqC0N{lNKxlHL6#Y>H94cXGqL#S5s zfUU92JR?~6?D6f2mXyMS5d*|d!E6a6PzMjikTL8EKy+tq5xXR_OVm`Oj^@Y8)su)3 z@-5Ad>3z;;UeGE&V}H_x;`Z0FT%%O!Lu79z;qhygj`t_v)RqUV{K{`qoC+pfs==t- zm49%26;v!U&Yu;{3C!#1=}A#1WBo;qr=IK3LyL^CE)CfGa0`Nn3_+HW5K)J*&QIok z${;WXD%D*SsyIGe$-zOJFb%WiU{7~Q)#RA|GnhAmBI@?xm8Z8-O2Dp5)kSXF)8E0P zoWOppkof5@Ag##>MFU?U$e?tFz9NJlFrtlinlIl|%?o@m(hgux{I&)G%Rt)KAI?IX zv_vY|Rk4-yw2(GJP>6Ui^|;9Am@tpOO7xc;w-IA1DOIs`Xs;du;2vU3$Bp)klJsaB zYAIAONNR$=WT#-QG%jU7SsVY6CpRD!pf89fu2dK4Lrox-{N8D2qqIsV)8pWT$piGV zq^Lo1yeohm9Sf(qjq8wf7FCRFDNJ;cpy%oqYfr}wl%iq{kA%hV+|E!eLF_0w{1n2S z25<5hPp{Rr8S^QOny%lA11ck_C*U!e@opTnrY{q?(a7IvjJyPf+D< z(>t^Yd#^V|s_}@CwE&*Q0U1D@{920~ZkMCR^wRwB}!&h-4T=d(HnKCS(4iY|SaA8mhO)-tkoI8FX_(9Nq^O zAD4;JoPlr<`-Wdm8*Y`RtK6-;w6R-KKL}pWza@6N9LA@snVKx%%dHJu$i#u6%an+ZTRnsCX)RziIx@XxCX^asTeHE4a^rd>}8iDdeYw zChph?&+%r>IB%FZOHBeomMw_8XPzUN0ZX8b+I(Z>;=C!tYoY6V%eZUfyl)MrZ=RoD zz6nY&h=YUXfFvk?bRiA8+{=ud1x=_c1t<&DIS`_14*fHy@Vi;ECNj(o@5LQOpXAXq zM6|b>vhiaB!|uXy;+GYE#|40o&VY~bxUFt($QaQJb@6M83ANCzov@-Ych{9e4fo%LTYxj(RfF;TzX~rEp3%_4}ty4kR1X-0D;t zG9uG%0vxI`Jdg|T`E>{pZ-_)Pb7GuZhI8pA8}zSU#`+^(_QbU4O;*gVxj-J{2#SSQ zH2{^n^Hg{iP#8-DybqJmQEWbPqp=-qSpGJneG-3nr@2;l!SHLA`kDRDjTNHg;)$1Q zKWF$$0lrx_9nr7i7W%!Ti{~NiB!Ag=y5elR|4r3uLw`5B#6`1 zKXS(&cRs39BM+b!9k49W%)Eu^j^yjiDs!>ZTYmCE=X{@NdcqmluB)#I->x)fW9A<>^YFIxluNc^)PaLJnn{>pchJRIhuS6E-HJDF zq8emKH%pDP%(L*h2QnMNrb;z#lIURc{1_Q(7-@E5cb6bP zy8G)*Le1cXK>$;;Q&rfL1M6-wR^mZLwIqC6YDfKJW}kahJk-&xSLgh1GTptnf+242 z>JTgIMJ6y7q+vkI&RnKZCreQ+l_2{Uh9md>Kl6mp7}uRrhiW>SjwNr|I!vdQ&1q;?(T7l6U6)(yt_1 zqDvgMUW;maORU2kY|MppI1W%A955dsuKyemg6=ZHNWZ;_y_t{%kH}3;OJZihSuDbRkbKs-C5E2XyroDg zk$o`b4^;X3&9PgZF5CW&u@ z7>&1WVD7Vl`M1S4gZq8ug*UXW$A6-4bM55oxuV$;n2~Sb-1>fm#4KuJeaNUTzBULH zYfFod5(>$@{RxfIqhvWWZn600%Y?WcxW}SUTN<-EHWjfL`P3Di|7X4Nk25)$w$LXM zA6EVA0ARM^E<^t2l3UT>;qzN6nWPQu$X52d zRLKDNmU%PHOx<`?2~B1T#Y{x1&p7m18M&r{QS47wme!!*5T)K%f~ zYg%2bZc_JclMY7bh#swh{D-1RjDri~>D@ndFuAv2Cpo001`D6NCLjHvUQwENOy*)wCkIUaMisM$Fuljpp<{O?wT%Lv5 z9}tq7|B2V^vG87P!sDw3Uc}bwx((C#WcJWCSZy2@R+wp(|@|_-cF3vb@}kWfe0?2OdGd} z(8xX?oFM-MQ$8>tW)-y7<)$=csIF@f0;NB0M7=8w-!h5+0}KYlN50u_qQqJGfCA zE1BYo;+|6BAK*1-8(;5?NLi7;m<{{59M&3_)(%qI(rk@hk7CCqiK5 zThAy^o}!3x)HTl@G~J=fr$3KX<@n5M(8$`G5;H@5%fh`2zqqH3FK`yd zTi%iiRf;KzQ7I-hyzO_Y)?whsFsfcaA<1h=ov_z;W5mQbnmJiD>rK>a!l?1WL7SQB zbxPbSvT;J>%+K%XVBID{9^*!nm?xSGErzC=wlio$j@+%%8LsrUr;?wc-~4ePG28FE zmZO3thhvPSK(2{XO&;0qdQ#?jm3$tvZLvE}3!P3>#l*9jz)-YKlQhvRDPHGT3g0_~ zcv;3V9O*?!#WF64@G@w9fMG~n#pFv!mKBiNUY4Kl>J5o^S}xit@r@O|kmrU4*)sNs z3MEBDXncEGXgPb~Zg+Iq!^UEJXY*j^(5GtwJN3#o^{Nf0uT%+EaD+>%ChmdHLTLlyPo{+Vu zO+wD$ivOz%btJDVM6E4Or&$fFjFX?e zQ)nNh_xJsaNNdev7{)8n=oD^S8SBPt-E{DSxa(wtZtGw3($(Dv&#&`+2l2pQ@TytJ z(uH?~aImlW^<(0Fd}T3*O8i)k%@Ol`sR1JR%Xa}!yk#@U*r!&=t9uZqJk&WaDTuer zd2j|?{;nS8G3x$<;9vp-PVcx6*^^LSs!ATgxGe_L zv89J6a#Bj-upwnD87iNjxJ~=dA+rtfOM=gnQ+c!V<1@*zV>oFq-3Wy*;|sepT8rgBzpMYt7*zviJYx^I`Ui9lS#AR7zGQ23k{r%k<>;j8?GpaD>Ur6O(JY@fSLU88pA8>MGJJ&JJ0w&H$&QU@o|v3SkcxuhMtC z6Q1dw#~|EntAhzf>Ca)sN8++;#)peB?k;=xmKn}QMXtwx4#@vA`T+lXBhH#b8y=tW zpPV%>NQi9mel1z@TUh01IQPxDWy4kni;N|juZDX=GVA!Rv{+uzJPrnzp1v^jrMQ#* z_eA3R>f4f~fsN*Rk_$Gh>wda9Q`A-S*3yDC7Auo{T*J|;H-Gzl%Xw$pZgvkAgqkd= zt<)LUOjq-1I*G_)7$o`5S)I_YoO{=TMxLvGt&F{1Gr2vmU{u7wR_BB!sZ#wf$V2qikO2x`|p95+v_&7QtUP6IYO&b_|2OAp~FUS@Y-JZQX2)dzS?y%i0M%DRm1w#Mi+9yEG>g7eP) zIm1@L4-7Ly@R7U+EP#PIt;}$Hnb`6i6HN!Anz|XnxzD2|EyK#>MCn9c0zb{AIYnOu|PFV3C}f`IBicmPe^f0Ia52N07p>n+g7rXQV0GI zZedv=cGt&Y_+B{65IdSQRqPYbPQ#B*%Sdo$QeS`pB0&h7lgY^)wp`08S z##)Sql_z8@KMuBi@}H7<+|+?Vyu@|iDQIJ#4(J^{5S|n=*Jh4RMQJ_2gKI_x-0$(< z^43=6b8GXwDbV_&lCqn>|L;!bxa;&{QS#QmqEzaecFd~iI0NhyR^O^w4?Tsxbv2#F z+tIa)aSq(}6^$zTfTQFbmS5U*uo1od@z%pcz7!JL5-vBw$>Ytlt5x$-wGxzI0|9_ diff --git a/MediaBrowser.Dlna/Images/logo240.jpg b/MediaBrowser.Dlna/Images/logo240.jpg index c805523516603d4af439b9d222babe078c607b7f..8ff0b69bf980afaafe75cb5955722fda8f6c293e 100644 GIT binary patch literal 8197 zcmb7I1yqz<*M8}c4h0zj>5}e7$^q%tp&J7R1Oy2I1w|OT5u{TZ1px(#Aq1pD8U*R? z`d>i5d#|7OTkAi}0?zEcpXb^8oVEANdpdYJ0T3xEKotNK6aYX0e}L0(fGmK9ihA}! z17F}m$HG7d7Y-&C1{N;PrAxRtxVU)u!~}SFM0mKk1Z0Fn#3ZDoq?ZWDE|Za52LC5H z13@{9L`TQQz`!QK!^I={f3MTe05LYO2CSi>5Cf>hC}_kerwsrEl=^c4KNmI@IvNHh zDh_C+0!;wg*{}aBOjHakG!*pHVE_*e1wbW2BLYpQfOakT2a6^-@g7S1?g#gFdpBwD zjf*9GbTrlRq@6dIGa!#+nfiHmdCm7X9QEBz~({n3ZO&oMV~BJ-6bQ_{KMU{PA(f0^IUIhhn?25&?dd%<;`n5gT5v zn_k@D`-~S?S`15|-|ckEViNx4T#IR+-J_(z zZLm|S{tw`mGI#9vNt>#-9RPr3xaw+V{~90_lFYr|;^x9jwK<-!0lGif;@^=t1r+}7 zj6tPmu01>k05no7*ICjnNy7sG62|wb#$Huu^gIQoHa7#^=J?w9hiT8{W-qN2 z*~UQwMd_#Zyi9<Z*)`5kFlYd z3k!fooERHITR9LhL8XInBlt;IO=r@ND^^|2_%qM-mgWO^GPWC*+blwU*_leiUSi<#I9*?Ly zbDMuT^TF@lmVL30kSh;agtp|IvFGFH2p-qf2+Bs9?X#7423aJicl!Lu#Lau`GEop4 zfUWGvc;8!7Rppk=&b3GrrJRa~__iS%&lEuwn?VtFlxq@XbvpJ0Bji0qlQ<9M-iFMB z!1&blB|$hkLilxWc}~<{%;XM;^MpT;mBdPoWqUjM&G&;H~jwc-Bm zV$E+4hsRzsw}w?m-C4n@x$F=Bd`Ed?yDyIP)r*BlYb?Ycb#HO2{3zo?kaQc(734Q3 z!W6aBgvE75XFN-YE8@N%lp$(Do4-35e;psK@J{o!mrqG_hz{SCaJG`0ni9>Rtee_q z&aA7|y;{Iu(!KEsFNA@qxM7gQJC$=Jo3D(LK&uQHr8;(-)cpqD^s};<%Edfh<}1W~ zEFFZHlNIc7DXqlfFY_Rg30ho5TX`6^p90dj#tcpYrt3sS$SBI*em4oOZsUhZn?ot5 zz$cPof;vfyOl?!9qsL5JcPNoKwp>mFx<89WbEDotk54v|&W%)8gjF!p*mPbOx5t}C z!MM8g6cB=~pxu-`diM;yQ`9&UXCbC~Su1IC-D7($OMH73DdDzmlF(&i4Pi{L=`=J5 z6RtqyC^&e4hX!jWP=7h2qCb;99OoI3q0g>zR72^t(YfC35ZE75M`1y;X}RU0(4OGB zVu0~!^vYD7Q0mtXVP)u(qz|QZaQHRNpox<|;~byiY|ws)^gOsyXmrf~N!cOV+j-d7 zvpsZopM1h-7MX~!#BpxuzUx9a zYfj%5R!#n4HJ~eImE#nk+Ib6W@13g&9+T?HI6xGSOUz6iZekE_0=QjG+vj~uW|KRz-X$20Yk>oG8ogt63^t)kFG;&oadQ_{#{=k7g6HU zJ)X@=IA!muRYpFlMQcpF9r&p4QWUN6<@N7 zwv@(X)i<5igOIoLnYxG9g&g-K4HSLf8yyHEhG&f#PZamrod@IOnWkgB7=6l;1C6e+ z?lqZb>XF($&`+!M$l_pL0i7v0@$PL(Fug^iWzWqgizbUoDN&0)-4G&PUnK)pps1Y^9r#o)^`)2nW7M*Xr{lyC;t#G8NKU^ zyMx-HgYi|6v_OYIou3zdT>J{AzV)P=H{&h@K4*OP!HfcBN2r=eujsO4Hm6U~YsYLypOjFhqdx)mZ~9{HRaz~4rr^+b z&6?wMgtfqQMb+)t&P!>66#))FF>nB)prK%(W20eVoKHX$R5WxR8Dii%w}vULEW8c_ zoPl)G#U-TlW(>Sq<{;fo->~pC&7V^dUkaGgObNHmctB2OvHT;aA=22tks)5btZ=4c zI8Gp3?1tv67K(!c$%j#R5i0C9*=fvndi~fOeH>yf;{Foa1q}W+2}2g9W(2)0`C&tL zkw&+Weeg~GY>Rl?yYljsVwxX|WUO*b$DlJjgBfrJKDn_r`b$JE87h{6ZQ5zoY68f% z?k3QgATW@xoP81fvR(AGnIze3xd!N=?W8u%_4Iby{WkgKN@C4N12pW)lowiI5#{VB z+PZd`m&0YYU=FMnB(nS}Y4mu(Ia&s(C4DTb^qVk`*Bn;R%&0PL4M)}9!hH>c+}Jx% ztS=KgSY$Gdv`PM;C&tOM=O+?}K;7m{Y z@MYtQ6vA1+Wh4}k#X4PWyNd&`zu80o5vZ!e(X78*mM(Xi=;!*e5U}d zpD#8#gt%Ob23}C_6)-b>G~yB2neJ$qO_6}Gajd9V6vYbEALRY;dcv2Jkgz+gNow66-DNCx|g&>m^`i(DeXEv9NL5Lg>bZjISZjm1j~MlJ}KN`|$#yfJ$ylF~Xg zo&STH)!d|Y!POVLLi}oaKSe=V?vobr7%`n&XD6%cA|jFe$Zz#Q=2daNrfX`3I}$FH zTZY;RNA#h`G$-GrAB9s+v$P$DkXUz%aQ5P2nFk*Nyk6Sikx? zJa+mwsS@#jl==yj`mpV8H(4MW&xzU4NsSBE#8xov4VuHouX`&qY6SnPa^R0Dea=)4 zJIJ!*%c40bv{%<+EtMqCQ%$cMj%S&vO}0FqMPr$UPwFa>BoAWDq=khXV6>7tQ`6Hf z{}Imb46ZiT!=aPHQo^13Jr(SLGgsw=xY;ZC6nOAP6pFVVX(@^Ip6?lgU-Qe7>QjId zI&9HT@vscns|1p$@0_b*8n~#GRUOgdRIcq0-uZHC^N7#8wtVl0V|ZPA zUjVC{)R$KF;PUEp#p7kB)rP2iseKJgqo*jtai0~hvRb(?O9NLJmU-{t3EjbvG9Xap z5M7>!wgnEUy=TxAa%DY$tQ~g~)>PS6joPN~(b>;JO(z7z*zb|!OXi?^FSjfVCyjKF z2zM#-6^jBuC9`dWzUhartOw1GaMOW4ZGVxJNV|e8yZ7BVE4@okD#a0xjpnh&MxzZ) zQ~airj4^5#hVheKC$ymZrG&FkrwM)tP9g(5HQL(j5rE>T+QU>-@BBtzW*^ zxVEY!i`R2L|60psohD5ii>rA#!*92;vMZk^t*BNb9#exlzsY5!hb!P_W3(_kP~kVd zQ<3Ml-kMcg6MY>V6fha&C{Gpn2+fZj9UmcvCNkz`%(}#mRAF44u!D5D#mAVCr?5L!a7@YDg?-Oxk<+q2Vy(=;4f+8 z`Ldlw&b=+J`fHs6<(SiU@9CoRcxWb}2bGYcAi_1KZMz-Jwie904R~Rw=z%P~Y^lMu z00%IolLAc%wWDx@_&K=bIkMW75}%MI=Y@6j=1Uw@T{<95NM3h(pE`lfx(@S;lUQA7 z54iLT>r||@b6rk-2cY4{lB<`aPKj=oaL1qVTD9j|Dy3Gl42$=O!YbDO<#WVkF*969iI%mxQ?FJr|W$5 zqoSZl0b@`)h36wPn4GSac8u4$*xt;a0u`lWmx~2y6d`*ddJHeGUU3Sgs2UwBen%FDWJvUWNcrA_Tjy^wOR(~oK8X+F z#|?KXZ;@wG)R9!|GO%Zg+|^tNh`G&ZJB6FL47t3FtiSi}>T=QBFiNxB zKzH4tD95p(-@FrQMs0db1)SPmHiU}@86qt9p0I8+9^onDIi@I52I=kGYo8A}lB$16 z_c%5!2(i)T#-H^eMqB)YsXq4?NZtDA%A!I7PF@mBl_6}#Y{`kaaY!wPYr@0s2W_rl zoSxJe`=Nw5WtlPW=GbpSC8_?4`tXdJ5Z^OCzK~ZzWku@aUSXMbw_Ux!F3tFZ(dZ3Z zHD}Ijw@06gOk+j-)~iPQg9S%_6mQ=dwU+7s$F-gCz0 zrX@w~Si;`xiq&fs`Kze!J4jvnop|LuXZ(gDBpVq#w$a<_)_;;7%nJ$$)-GhhQ`|ilkV@7)mUSATalf6uAY$x;U`##Nzbf|cD-49(_`Vc zmA!q*8`mU0jtOWYuje#Ix3UI2;Ve8@To30D!xjDlF7-^)WJJ3+LDUjd`5P(7L@mBC>Q8_F0~Hf z>Fq>~^Jh{LI?eUqEiD-!tQ~UoX9R>xhUB?dE&EOZLk~x}@au|{ey?g$evI2X%g%UK zTtiw)rhoGBt&?Gx4?O9Xr?yqwr15?a)9zDIKXiO&?f4snE3aHQc(43kmH&kB4nSI0 zG7>)i!pDGDZ1^ZAUus753E_=V{~m}&U_f6;OwnRhG(*&R+HcR(rlCKQ4D51s7aDq? zzA?o^_L2@uHdd_C462?MRM$BCbxSR_k1*_nM%JqIYT8&^DuE|=F1d@gZS`L;a{IyR z`!th{1w)MYyUd!jg>D!L4GSk&u{eWs`}%9)a+5 z(9WR^R`hMR5>Tv(k%JtVYO^gBhHeY}Qv%JU-z4;1NH_)Hodp~_irJo({lc7rT6Lb4Lk4T;G<6|U>Hg#ch<=_ zUzH!&#VLj>rM`xF&0SU=)?@Np2z8#77zt;%W!NEYFI;1kRK7*3ZC=Q?hENQyPiYP^ z;If6q6Xwbc#O{LK{5sgptEaZz-3Pv^XdtRPQ$?tS2mzDfrtkc;q8fn{AIs4;m7@HThDh}Dnx4LPV9>9}c7v<-tM9vC&(N)Ue zf#=2N4G~Em$n3EdI5E*}&Zaag@l6fevVwi0y8C;GP+qqNlkdIIt=Y4F72^~qnT&O8 z;8jm53u)Gri4}*#*9vyirS_%Lz^lTcMj9Dvq0rsv$sf>?0JF}z&(6+bDH3A1uoVe? z6F(y%a@K9XkIbs&)tv&m#zlMm-{u!d6)ZcGHzbi)Xz+TqX4j4u2Tp@v?a4YmCBQ@{_^>viM#yxIwBCTekP47TR{G6M_-ZrGoVG6(Qpg7)QCb zTr_1N@!@1?v9Zea4XXjl`ER(bt(2CsvMIwsUy!&F7Bn(h_ zg)8>Va5f)HD$IW)eld=b(zb$YD?g-RU|M(>#e& zl3a8w^c0vm2{~>khLV!O!>G$K5V8isMT7Dzq__FJksd~cP`P-V0@Dbk&Qgac+Ft?hLzR8z_?sU3%ix4(j|z03EZ?OP@O5(>J&hn0++Tk z?QDaFqIJbi0Y&SHQy`CP(0#?|dS-h2m02&e9k{V`&RhEp!2&ebw=(9T{i+;-#7gKr zc;oBi(;U#VDJ5KEVDx;e2RtGAl8X`u3@F(#cIXb&+BYH_1OyCHJ#uR8PXTL_H^t5O zm@iXdXQ0~p+wZN;|7?Ut`Gq$RlneMO)@EEJ2@gt+1DaAZuRh{px8Q-VD}S_A;)ST5 z0^9WjXT!i^iR`inzQt6%DcKtp?)FpQ+OcE9MJw-%`e6)pZgQoDAnGsbS!ePlTC~`4 zT~5O)a-3)S$hA=g*2k5_Zso%ETO|%DO)vWPZ0i4U(==) zoS8=VJHce%5=Xjj261 zJmT<`gc1!s1V}&Qv$RA$oF2!^fMR)d{}oP`%c4Vx@-CiYHV8@k1)` zMzKTcy$5d;!?lxFxlXkhb+Cyq=`+AGmF$~bCix+R5R_P-z)24}?3{{g0>$(H~C literal 22073 zcmc$_c|4Tu`!_z_lA=-YUVujl#adHtS0e&cm9uH`(h<2;Y!Jl@CqI8Nbr z;WT28rTIm3#Fi~v5EtMdgph`~bw1qZCIWH!GC~u9Kx{{B-6D?=g}-fq57ZWg|Nd^i zMI9mXpYwmf7f&GI-v}xAu!fI+KX7aRdFDTVuekdJgz8wIw?A}GPe)(p#0i9O0%7)V zzyDXCe;fI~YT)08g)NA^+Yw9zQ)J5##21O z*!CUb67UUGdk}wY5fS-gtB9!R)~)c>X!tr}>t0c*!za#dleTdeI})_-3z$`Hzf4#y|D0z$VZQ#JdJ%87oYs{RZ42w>o@7|b8_?Yi606I%PT6Ys%vWN>f0#o z9i3gDK6eic4h@ftejgjB&Cq|&{+gR#_{~~fTi;-Bf*kI@a&19~{P&Rkmt_BoTzg@; z{@A)zWUJV}a&7q|>|eq6ZWTRzVw==C8!`7F=_4l}Y~T0ii+5$MJCyZonKB;1{o=AJ zr)a9Ie?|L`WdCP^J^cS9*?$Z6|H?Iv*eS9Fo;;Dg2s8qM)ZfP={{J|B>I)IiP=7E> ze%w=1XOSP97(^dCGNWY*w5OlOhpFuRQe<+Eo4C~2CvmboPDWhTVN3ZgcOjx}9yAsr z&U?~`kX($c5HVW<5Y##XpG|3k?^tS`Qz%w-Su`m;r$b3)xXRVVwz)Pn;zs(+s_j4L ze^u;1R!m!6Ts$^25$NT$RW`N1YwL;kOthbA&lbiD?7;WHoQ(stdCcDSjl*uC1--=@ zUO_49);7;GeR{*c_uhFPpc(x5dP*)$VU-X+!V1Xs9ZFP8mdZQu*)HW$XwI2)r*kwq z4R7WgtqQWX)Sh@Vz9Nt%(?W1aA>uuWIVwa*kR*hN)qyPdTN-W00?Uy`hU8HDVJY%} zEZZq1RLI6BAp*&qDN&t=HZK8t;D6@Q#{^2u=a6rv*#zWe&nN#j9-Z@Ir18)HFefmd zSio)ljsS+#<^s(G(r8)`{|MY0kx7To<9Gf)y*;97EU+wS{X#_D1O>~lAgwjWGb7iQ zTL3(^yR<6|8WF=ZB>QhnTJhU zAx1!31kcje0^IX;+GJ?Sc|30s=7dXZo!YX5z}x;QhqFVH_$c)I>OVf zOA{g>SvN(vmlU`c{1fuJZQ~Xp;t4($;CN!^exy0Aj1I?wL0p0Fz~oL(Gh*-BZ5rtnrHkQoswD{joVO!*~ zn+cpf!%qleDnbN(h&+Qmo)u1nTYOsR_V28KxIQr9dv+%JoDeZ-4iA_dA)7HL;KCL% z1pXa~vtY_WG7vlwvx$Z{JMcy%&YXFe8&0Oo2@%0Edh47wdz}lglIf!c41HBa@N>ISmEs($* zS_fmNJ=a+Q_kq-R)<|iTq7q?`$)1>Ot#25JI?61&$x;5W&>PYfK<=*RZR0hCFbEVD z9Y1@0jj6B$$tft4?BVHT3lX5REerqekjWn;|8%$Orml%G=3sdOJ!dQ^6@y*P5@^i6 zd2jec(c6KluX3(Wtr8`#4QynD-&oBfSPp6H@ApW%1!!LMKl(=Ma_;HQzb7sjwvuLS zKgZ531AV4VMvn8beCenT=n!*r>HKuGg5^-De-A`$l!=0PpQBwkoMKnp;B(o zw$&*=(?2^UGMwIA`o|#sS*uzKwyn=Zk(lD;l;m!P%05ymB8EM%=sT@!DdYJxpJ7j2 zIvoFjre>}86PJAbN8v@aFHI&n9ZtUvWQ%OU9!(Sv|KYk*xd?MWvz%yh{=xteb=9)N#fmZAtIlv{+_%O?IEuI{{H`bpub99Yk-xkx#%;Jb+UQd0Lj|W4G>$f zmtCWt5h89&LgWP}qpyAZ%NuTD{KupwVD2~8w^uHF;Qa^FOgJ=%=Q( z0;8oeeh@kdI}Ru{ zqCPtnRdKv(I20oW#$FxNNo-toxh@gK+hr8xlpuG!C-8WZ!zwZULhhFSR{?6Rq(or- z0!ke=nGP}wo-<8=SYp;iJM_aVj?!s!FFEx{a!^ozerBc5{K%%(@7gyi^w=WxTH*oC ztJ+%QBR;t(qUH?1iXksC4+9%oLCSP@}s*2s`SI+Kuy_Mm|RFGomAz_roiM zh!o_UOeFddS$>-yGj`_wh7b`i))5Ub?Fgl4lsXsMn|IqmA!>rLk8oA6+?@3$qirUV zRwP7Br{iljW1uPXzZ^4J8$8PTM&D}5{*~Q^YRZD<$p*k^7(XpUbmF-xWN8cZ`XP{n z=jX0}#XhG=b^=@#suW9z@Ic1b9+)eA2}ORZ*eTyX^Kp_qr4bSOYmJ}a^`w2B;$akM zo{twI5bGy%8Wlsj8X^Ue5O$zcdnA1S9Px|fddX{O5B~-oy(30-EfXFxv6)Pz+J(HU zL*RK9{vm1~&Pr^eC0heFX3W~D5#y~J++~G9#=b^!b3Lw##|k&WTrvexc0eyy8x~5_ zUrPjag{-4#wt0P~0#hLZ&C(yxZNnr)L;G-+fy4(US0thI%a(*4s1vY*=pcfxP|cz& z3wV;uHDkz+9I!5J>q0~td^8AV=Qg=mbfJeGdAMkDgRQSW!D}WAo@ovF!~nB3+pf>m zGQNFO+mPv3Ytv2mivU(3r3{6L0)-AFA0FH@MK*k8klY!wkAGn$6GV0(&y8BW`?cTL z$%8qmA0CgwPC=y&-?8=`KDYlBfCJovutAA|C=6(@-f4=~oG<>xt7AjDeI`+WW`jR7 zZDzg|R%sWO!UrMZ4YHk%BBIBDIo4cGC5U19CGd5@r$#s6HBe>-3pwl-G?8_DU-RKr z(1ilS4eWv+zyp9)4fhjTkb9X@c3X66%`DZ=C0h1NQm6G}-i?4R4!?ry=tcb8!rx{f zIk?u>bh?M;*kMxxdy_-Eqd>iO&o$T-1N24{Sk5)s`&iyjJ!{h1v-h*)VrS~Z;>TS> z{u)|;y?i6l?4qJ%wBH}y^ToxC12@nAeGPFw2qX8jKy|;zE$iS&bD4J<=nI|xHGWMp zi&cYB;gQVeujWS*u4cTN?>%AlSLwKoHQSMqS6SBJrF*chh4G#1I4MLhG2W9r7e4a9 z+!CbHqLz)5oB1<{0Y#tT3lZgn2QBnw%q3WZj%}IH-%R66ce+xmsIC3~gnS6kAPX*{ zROeA-I`%{d2|Ceyhzk8xN1#6}79x~KXjG1RFp{S@n}z;u^gv+We_n?F7l3`T&*rS? z|8yW{c_pqNNAzz8(Cx^-gMw-YRvJla_@2IB`v9%xE ztC^WH6r+FgW$$TRAo!w&Ed^VxMm`shlsqHenI9Blb%FqMNysUXZ+rtyKAG;4*Ca&w|T@h=(`$ zA{hs~hMG@*-1SKnb%t-*8KH=4oK7wndU-WII;P zlYG!3i08;4h~Mb<1n<(m>+6Dl-foO8oR=Lj!zK;+9$7X$IkJ7iX6-!XQ;FV*n@4j6 z@8JRYK&}p>kU;g=IJ7ra9Gqxllf^6h@Y$kFnNoZZlR*g^e+YWJ4x4EE6*xCH=ok4) z2B{e3&0CGU?0Z~)^7x5TlqnwCEiNdPV)|+^b=gMvE7BRH8Z`FzR?* zBRlx|7nL;$sg82r9(c-IfU2rt8o3r!;3-{>8OU9V(xs5%f+yd6d-zfz4Qv@aaOHi< zKg}DOxyVV1QZ->?o>9C}8vlu0p`^g`7U^C?`Wz4<{AxBXYXz%GdiQ+w!A|&i zPg}(uk7*qcBCc1+*!+5aa4FR#F8CVC+A&R~NOy7#6%gY;QpqLw0*1Ja*Mksr-s9c$kNzx*A^DbR_JCj$ZGj zZ5!HkN{EpA`Qo9v_}iLpm{;&9odjBA0KY`%8w49rgLnA1w922N>6^5<_MST1eL6kj zpV6H=4th9*Y2JS<`ue_vd;(JB*DKY3EXlDEr;na-bH(m>WA4-|3f!LY9cUXQCY3-v zXm8tu`QZ;as;)I|7cV3lYQGj)vdM8 zT;IV*$!s4@tI4oR0EVU0Z>dZh^f-AMc^~aj0?-1V^G$Pn3Gyh!LNgkCqAEl@IJGO- z)S`XV8T}~mXkGbJXxx6_Z=QKsOpo_1DTK;j<6CWps8wkGJ~X=obmvJy6oNcXjxH&= zK-~iw+?qPv2;vKVfYN7&iZ_fCje0JpjunSKZ}6_@Z%O@i^F~FY$WIO0`4|8rM2NBk zB^xr;NxW(DVqDn4%p($~8o(&lX_~hC7W;FzD{$DLt!IyHQFPz4)uu-LgfAAy}jfOMzC~T{LcR^B5_LvZ0SF{AF(~|%ARc@9p=&x^de6M8{NgB zK9}kB1l9hqc6V^<6tyy-%y=dw?o{>Ka5B2nW^#Flx$WIo*;2BP&!lO#v)o)A^8Jji zd%n5y)L7!_yGM_Mzu2d`Iy`TSx_$m=kxqn%X`+{^Z-8ba^;9vZnaA4X@6%(Ke1pd} z4GR0K z{>rW4{?(Ar^ycqVV;7A8)2U=Qg!Y+$^$Co@Bq~XRth{h(v(c9=^*fz!C@C~Ffj;}# zgW*BiooRQ^Ja4bBm-u`{Pd7_p+vL`8a4&hfky=%pYU7iPlNY?eT0gZrWfX-o0aHh8 zE_JLOb0E^UJWxg5e*Ec0>`{xKE4RN8m~P1N{@XVO?WX4z6Y6i5$K?$U!fM*;sX}p= z`s|C+-L7=SGa*j?B)!Lska9<7Yp;y@Aj}g)y{zks1F8>VmJ)W&rkFU^K&^hismoAD zF}kV&uSxz`)sJM{b6J7|#L;6t$xiY;_ULk!Lz3sBvK7x6ngDx=E3U@aH&shvFL|SE z7$H1-3=IQPWOu>@h8~!JbEolE;*i_0ZFCx&hDatPPBP2WpXnA#SeF75;K-M+zS|gyH4UuKZ3*$!;|)nTBZ9C zI)HOw)x>U4Mg3wFS^4h(cOoc8$wt=sH7QWSBC`oce4YJ^9c_vo@4O2iW?y<^@yU?X zD=>z3iwMe!e^vBe>@Mr~km9~NtjO4+yXd@rYn13BXa4<~=1Y>%P+{*0wziQLHD$ePSLd6nGA}h7 z{nI^^u<<0U;*?zio?Rkeb;~+isf1ybe9GNAbTF;*^3|8KiRl0k(@Xw$@g#N$5jB#J zA@T5r8Of)C%}77AY@;_#D{GtNAE3AOkZOPEGn_3qy3)C-s@zxW6ngC5?al2_=z9aH zvNZ+ND6FZiBmSX)2-H{Zdg}h=86iSZ^VqHH6-Q&=OJ|?mFP7N8J8JYZP-elGp|F!+ zRAtXU0A8kJpP{R6(^MtYgidmsd6sjP;yY`-IXi1j>zwN~m&vWQCSfbTXG3({@WI0T z4a2#Edh1`K&+}Ab`i*p3`^KedVeNtYd{*HQ;RH<(={5SZQul6zPoAH=+q-v@zxTLw z$yZT)%6u=!_~-1>?shqK{E^Btt!XO_%xDq>ig3JThMg|O*d&_*(s=BpsE~Ei{3Xh< zR?m;Gi)F$u_IJ87XnxMYcI<2E)+yGGg$Z>xIbPn~Tw~-z_llivl5&qbzhz#%ee~#4 z%@mrPq|cwlT4w1wqxe&Dr|cY^kJg}TC-vBMf>iw|1y}Pvb^@qUz4=crGf#+UUlH>$ zC`=L&tsB&L_2{uJe=V{$G3D&?oYgHZ)i0*{7dDEhTs#*_bC;3#xg%@V>4+p-UN{}*q zpBTJqx!8Jjk6s0?FgH7VZo1l0foj~PlCsPMLz^R)e!1%^uH6_&GE1wTOy+hTU22lL zs8#|mHgH@^vf-J>^m!AzfJYV!EOe`w5E1ff1-wNX<3Z1ft$qA6Q#;_0c@j7=r69;6 z-_qUZ(iQQJF9Q<7e2x@#g{VEmo%0MldHhrAjtvE^3&g~y;#Sfp4QH=EN(Y|Bh~Pq) zkELA0GiYM%B}cktPGUY_roTq7gL`(S5w6sfrS@)B~bDH{GDeKD@A2J$vo1OIbVnZD;$}qAbi(M@BZ$`S8mU{+E|U zGW*dLn*uq^BLW!GC@nYA|9VQ>p??kG? z&!nO`S)TR47gGsi4t0%h6alc5DzMx=vqFT4xmt6RBts06S7XP(Oy~kLM2OfO_7LEN zxj>2_nVHdP6n_ia3%+BnbQm>0TZKJWNavLN$c9|fiTaCDU6+QIOP%&c+`AV4VfL8} zKWRA-`we*FJ6}IiLYu^18m)BUW$8Nhuas12>s_e~k@=dnk@?xQs{N$K&TP#XFws_@zUqQ5pG1l(!$%4D@c1_cXF(n%t z*Bzw~eluBNbcPJBApk-fspDSonXS=5U7QtcwZ`4ajlkYj zLN9G1k+Qll!Dl(!Tz}~JYi^8u%#&FvtJQnXB#glc!FQElp@9o~KA-xm=r=sczKMl_v(-FdR&OyH84bRM^Eu1E_coQ3(Nz6_CD_(y# z-NOD{(rktZC(1FwHJm2B=^V@{8SHy~veWpcA?Up!8Xr1O*;dz+=)8I5&Ssd@r7+yv zWM%6}6~D)rR`aNruJ-fY&fVW!6~M;gN|%yAFjMB{`=+6vY=(aWBPt?v$#Y`GB#1ci z^5BQ4&tjX`EW`u?uVYmE#8+!;;>vwdDHQa z+12T}k&e%b^%b@b`TLVrN|sh^w}kAJOS7@i>*Vi>s@{GX4(!NNRW7L}KDQSHY|NB37jgPAZhi%Nk~2+R(ktYv|x3Vor1?vO07rezK1 z0CWUNv6wMqHk>V?NHc3-MRn$16&yL)o2ie-Zkom}!MrX|gu@SzXCz=gWj+c{fwWon z)d)=8fY=`Xgti*uQOnOzcTUu5Ov-nkO~iD7$o^$Ch0hHmt=~kJr7hx&V!F{4*SI(d z&<&mTr0~2T34KGKM=q~foFXstcY_}AS;m>@!@-}`VidYyvhejH8pC_&$Uld>Oa2-0 zxW4+kCD*@-p$Ed;^+T6S3T&<*trfk7_T4`R<&ySgXBmkLKEapxpQKyR6;7Y#IwABy z;P;ldcm}otg%qR-5jP1t81ld~oEFcRzmwVb?9`idy5*<|n)$ND=yX~B^;5QI2N$^6 zSu~#C#F_LRc~A1HvkgvIsd!Zzi;RSKO|P_}pZ)WFf`1ltV$!=DxYsK%`RC|J5zxE+ z+rr?FBNjpW3C<&FxYXo6#h}~)m*PN8^Z3~md&%AqK>E%bg5r(qE{Y^+%Osme;m)tm zcxYIb+=H6yXjjjfO9;x14ABpSh?6yAvyEHgTJ9tTQBHojWnc7W#^H$JhyD)*12sdW z19l<7FM+F(1r{^TxBAvt6}3oR>mS|=36K&5r3{Y$*jW_xXpry|tveSFF=7`pc*k}V zDl8Tu6k%KQLCINK_dhY+K>7Rv?=)ZJAP5>WnZR-b)=&4~>X;T#1g`M4-wh6=*2kPi zod9){fHjjg7^CMRYD;!+rxLM3CWanm|pbir4uoK$_ zspy-B2Vn!)jUsGEA>sahv+#JrN3q2P7J)WWKszW+Bj1N)!(ZRzQBVd<$%i;&S_$UD zhsE=s4r0ukQr>0Dt}VF@+SZgeSKFKTcWXK3S?zsEzf-AcpP)H| zDzhYiOh|uTq#5+s+x9q^w;vT_&#}+D)og-&I99CgP!#+1V|Y4~s9{H`*S{4N(cx;# zE-z3&*V}vI)u@`@_0@zxRZxy68`BwMASk(;Wp?G!ReT##qEWk`BR`zf>2K_9sFgsr@%FbPjQfP2m*574zGbMLo(kytP;73H{)vk37THq5xId;)v`X_52W119O z&F&W@GiKD10vB(x?$reMORH8!F2CPR3=0bvslTOkFkT@-LCY)m1ILe3#Uwoke9++0 z(WM>5P9=@bZZ(QQW8oET&N*0DIQT80xek^lmbzF4_)krrb#o!_0+ZX%70qv=1N!go zw^1DpJ!6b~N`TiTUrA8CuOrc=BR#)N?V0!BvJ`qx_*#e5bth1SHj)+IIYXtm?Hf2G zUGi>K?2Q+#>5oa0E+L>`#`K&@eeFoLVTJnF@JBLs$k(jX(z??Z+&_4H7;U>+={H!I zQqY^6aV_(&Jmye=<|_d=h(epaIz&_qw>#Bs7$#vQlFF>sJ4qj#@pJe4)-iY;j2M_I z*0Mw{)_Ni1v(yI*!tGO!Hu@Ca_2TKy0H9XbVqK1#l^<ulbZ%CK|@ zM)0h2rd=&MQ`sjqB>`Do%jGfos1L-bwzEVljZqmS=Hsr*eVQh(kENG z|I%v(s3(8o`|rpEo4I9)#Cr>@WS4(riS3f03aKsH3X=sL05>~h_Ku_)oc;*Ds1zb( z=1*EZbkLZ2+GjpYOYD`&zij!lT>?FpZ)nNi{0+%iVy|9XKKuxD@YDhsIjI7CCT!-FU$0+zNd|7h-X}m@TwiC@;7mHk>IH%&wP(y z^>{@`NXRBtvVqDjzH|lsn4^4jH|Tw3NX4aR@}$=D5<8kjr=+CwWku|{q7Q$|KlEX5qM1qI zl5HaPRfDIRlrL869&<*Avbf?+5cz~e9{ z83)Ho`wEPF?1)IeXC%1PqQhgpJ2^P7&)P8EU!$;Z*8!s+gz+XgdjoZ+2cQT9#?(jD z_beQo2f_;xI#mkTBMB?$`zFv`ZmjZRTHj{?zVejHs*)RbHRkx_P`Tq>Yf&Uupnc6r zw6(M31D>CmF$7q4^W3M!Y&JwV(+&Ym!RB=(yXc9IHppA>y0#t#xW3_qF7%{hXVUToldxlRME7H$?SJxMMlOX=(c^uF3^G1#AeEZc zMY!=0f{(pN=~U99Bmiwzr9WqZd5ybW%6LnNPo935*Z}RY;2G};Mp0Q*F^DnOfy4kp zgcE7)H!Ja*(h1hzy9V32%fS>i=x7a2ayDt0Bl&c#Mg~ma%{gMhJ70NR0UISmBzWSU zKRy++?3PO15K9Xrz6dbxR91LJueMn0nm^(AzCoF+RCf@)mlMhz-MPtXJ&^2lRoTty zx#TCr4wZGpAJL*Aj?G7E>%W{{{^k;Dc-u;SA=Z7<9zQK6n3)t?I`wm|sw8^c)t}_u zOf{%SpGvP8iyqDBU+-6?x?~d~W@@$dWa{J$M9v&gy5vo0o_5C<9{&7OPoyJ6@Aqih zs#rbjN8j&0a*4idetcilY8UuAyU|`+$pAS@dP_%s;*I2HSWb5V?M<`}nYa zw9aJBV89e1y3eREvu2{kfh2ZLnIdZdecignb{V0sb3qkvi02es8*Q zQb=Z07=)eU#K4*I*4pww7>_&w@o)yMQ-^=W6#e@xUx7`U8#q(Z8}xg}FEW6ho~Sbb zTFr15;LQ6=7cl4F4E*ya%-eITqy&}{$>0x`W;5ru0K4LI52`^udblw0{G^3<{z+XS zLM2tu9BoXPECCFV`(TBkW1hkVCXhPL0`v;u9pj%H(P=&iu5>hSs~cWwJ_0(AQ0)nA zkAncPVDOs(Kc7#6BC=1hlqK{HIB<^B zggOG^YX-=fxTCaV_~$3;zA7$1ab9PJU)OdPPd!q7u=B2;{o{#HFFCCb9V*MIB~FCO z@Yr@IlB9d^c%7?rC^4?xk$83Jopt#ucWbG5%lG%f02XLWI~c-09c%$>rYdCkWWMY*@Tm89?dVk2%FnXmdJ-JV&ymR@DE*b&Znd zM)^X79xsF$a=&;fZDvJ?@HFvG6PQ9(i!nAZd8n5VSgO0Tf%Jg}Ttkj7Vwu5el+UrB zd20N#lSv}DOUw_*IQbo2v(D92W>DaR03)c|&Di>NSNn zjY7 zGhzFIZ*B^3Inwbd?2kc6@}1xukuNvVwtEY*d^1r@FhtlDGzh&l*?{Btt1w!gZgP`) zNnE7Rb@^vd@N=`0aKf7Z$z@8W>x*@y7x@xzj>&cSBKP{x)5E~j9Dj2eZ8Cys3xFr; z?M@7&7?etec5wn1ex$)&Ysb{Zu5*)Q0!P7Ulw0I?L8G9MJe>!Kz?rl_1VJ2ZV0*A) z;$~crVM3NaijV?E=DiM#MKV-{XT$-&I*1oMTfk^2n=&Zi2JC|wX@NM|;d(rm(9KUtyR^8UqF!5h-T^J8n_f$byg zfk_`n+aA$&gYomrd3jSf$H2&-&5GX=N&pfIEF}0*aN(3a!RY6F*0RwiDN3yE%uz9o z_Mf32?2A%nO6MMT%xKLNwDzU+eCPS}+AE|K5-)a`7qUOj7DOO*@iPf43hA_v?i8Q? zug42bUVqV1N|Fz;8PFt`CwMydHyJE>Y7M;1Q&||-+Q7^Z`1=CcEg)@XSKt-qXkz0z zCb@O|wwzI=(oXQQZ}r!=xAsiAjCB=&gwDA9%QMf%JW|=6qc%h7a1xx!X{>*sT^VJN zew+vV0nZtcP=#*O_Wc1?bOf>(EdwtPZa#@Q)RdU^thoP0^;CG&%(geV2i7Z|A#Q zh8itMzR(e-X-Dd#U5$OaQv!5vuTPp^T+#1YGPaDL8n-d+fAQ{V;31I4dI^UJa?PrK z&4x_xHjD&cipeIbagmQqG=LA-_WdRa-0b`{tKEr#g>Fynf_!L+a)0*wKYU{4((@>& zz?Huq?sv2#v4go}y}ON~PNCgd&B^>TW&hf6(e}ClcHbDC_zY%9zLhvQk5}Yxq>=2N z>HR=S>}U@Kd*qH$_r{mVkD2_oFW5gowD~a1tq*CnkW?iOGy2~a*L_&a>p|u%>5^|@ zCno5dQ-Lx#GnQ5ADxG(k_z<-p)Eu8XyvHCjUGA}oNgCpSiXNOu9nM$CaA3(6zo)a! z=yQu*)4F4x&<;B5B}GXVvxM3E`!rROgbSi)d{@R_V+E8Gq;UK5old7gef`BIpAUVj z)QZ?un&JCpdDA&-B&WcQ3~e8NH-93gXMFCt_Nk2Rxbri}cqR3+k*dn-1mDP%)F*zq zX1PwTQ-6O|%}=i}Fz+1&UTjSZv+a`a2{9&rLo@9(E+Id{{E>!*f;Mg&fR0CP$1S-Uy`2YicmC~Twk7#zqgl#y0Zl!stlge+bDsv!vcM_I@H5)e%AT-tbJq4EW&Jk( z2@?#E>@&O5Y9&GhWd+PXUcv>d6`NgHw~b`o{UQILGA?$}A(;-#hC5IDek5hbqhr&l z7&~^v(cJal0}as|3k%hA+;gz&{Ufu6FBQlR33P#BotprK=G!6jwfL)z5e2Hm=X_U{ zMA&Dbn)jaT(c9&)@?<|_r9~v!PapwI-`_=scBt_T4NBl49~2@oL|Kjlh8ole` zj7~{q*{*n#vj}LPO_A%g`l4wxM(rqBi@ADl2ERwaN8{!uoC^THDrLKDpy=w_ofAn4qty-*cJwCpGi5kA- z8ozMeHWW^G5%)t?JQKe$mCEXorM1zXU+jKlhIM8QwRa_2rg?Uvte>Jm=We2jmx3c5 zUfG7Uc9BeC2qbH?_}r0K34doo`xQe`Am8s#jiz8z(>~HVV>B;N@$wSMD}Tiwip+eO z%hhtCMqxjPa)8t<#SrhrNz5jhw7yZYf3{aI2~AWcV&|@pUpOnG5`7k)Av}G>Q8_b7 z(vG??2>acQqVO4$^|2VGBJO;M^~jE9uS}F_VrkmT!=md>5lWy()-6Gu&eFl%PkMNpJUN=TJu{ zn*3c{cRt+C=Rj_c*7;z#w=!#boes-R@V})aPR~rz1H+V{CdoX&GRkd$?CrOZx4FKY z+C?kPh}K<$%-r>F#&TV4%DPoS}}xL`4YhmV?cn>+{?)b4krc` zUH#+WX#$5&8eBKMH??^W?3Rik1Pl>i=Hk0;tuPes>atZn&yCv@jqdpx(;O=^ch`McuWu+gq!SR_&D#Zj z>hWZCqOy#(^hHj4Hf{=lUUZ*+jPVcVMLG*jQe*MK;*1e4S3n*8b#uW#$1RQTxUps` zt|dgUA8cj4gaD$OCO`5aex}PBPIr?Cl(&4p-kc_M+ZbGcIe2J&14{9^yVFzU=UP%M z2e6D)g=^m&mSGb|eC}uXaZzrQ{v2H2q8_xpPB)8ppkfZq3X3_kbE8-J8w~kKey~F3 zSp9_BkV-!ns(V_{qz>#Kc(_Ia_NC@&y@I$DL5waRE|`bc9<`~a21vY0Ero}Gz9olF zxHEYhV8!%d?wkxiB>`Ynz+KOmQ>Xw}!4_R`{5hoG=o!e#)zShcHQ!hD(O><(zgywV zQY~Rrh#0<_I~=(hnLUTT?oIHBmXv9!&KHAW+A+9j(e9-^BAVWnFUdi5t&$jC{=5ln zPY4J5U9BIoB3>p>2matYvi9XbQU}BT0DkHfhN9O6Xt$K40GTZ}O}4!3#eDlaJEZeO zdRSb(#EdCUWYA^U;))Tr4|Fs*wkSj#HQ(}cP6TZYLU&j971fBxtk$UDn!f-fvUv>A zu++zgbgI6YO$FMzxQ?*ZHZ6|=%nQ`956pa5D>_#vawi1WmB{pm?U6i}*e+=o4+Y#M zfu}9lzgfums)?^!^w>owG`qQ`==bSVE0*0%W!lu`;ia!Lxv6kE?ho%H*J!xjvQzO- zu)Dh(@au3SyKSxLB0Szt1#kKzyoboQL=Qf=DR_@Mwxus0V>gk`_k}0P1!z?u2d<38 zLgF?|GCL9MV2)C_l5K&z`~W$Ueu;0-4F16e?~{L{)3oHlTSf{xvAK-R^sLWy!}?99 z)h?8{mZUnQyDQ%L)B`$*obK>CLsp#m_@-G*yGSuWr}Fss?o$lR@hn9L)SaBzInu>W zU(Acu&Z2-~(@AaJ;h;CsJ1M#}=luy}xkTbI9r?^6_d@H;J3$4pt>$-&Y6sGTd_r`* zMR|38H^({RXz;Wgd)e=W2SJhS5!0xcMFmB`H0&;GRyuS+&Cz(6Xbcp^=`rCDqBYBroeBEGsJvZ| ze}#$4!a;kOzev*!P0s6J# z-Q>!H-VZ6O$E-4y1z8Z640Qj1^tFJVW@4<)!5+c$0;u%Yvej`ep@KUc;BA(c!5}Y> zvJI}+YXLD_r1}q_6|T9gxk)%t-2_s3vQ9rf*fL#l_8@8NwBgR&4uh7*cMe=ow_M$> ze53@vxg1+_GefiE1I}OYyjb}o{M=svAyKVWutS&ryJM?p1;WAJ3ScWb@Qi=rGK`H?2i z4=sm=jx8%&q>eeNO^0kLq0a1+P(;iN8ZY0k}5BX$jOvTvV*GyBbvsSfG!?!i+*U;1_yk|a8vI(%mL z669_e-hDmI@CXXY7LybrcBB*xQhH%J^80t9Lvdm6UR$>HdhU=?e>z`3&CcmLe)q2p zHwkI$rw7esoWb8AS=V~@S_o2_FQ}Ubre(#fqE;OOrzP;Z%D(?V2PCb`sIY3v%J@9p31GqHEgArKr;}oyVPB|M1tj z3Fffe)O8R)Ga?Anwq3^$Y~|ekzExhZ4Ytx^pj89#Cyl4k;0+WM3VK^J@|N4-5x7cp zEY=G2VOdJRHCoNPnOq;GF?enCYHhaf+jXyVzSQJ&eQs3M0wIdSn{_xhmy zsh}!)sfi)dLopmK!L=sn@BKj<}OlBn! zU-v9jN}Vl`IsyZa}+8cQ!z)i=|I$MXx%fwouiPD7pJXv(BG zoxVcBk7L}x#2K#rA@+#OW`kn8y5xmilzm7P$sb0*{o}K&QlHnN+oXT;DJBbVRr3Xda__+V}LHY1Z zYpI0U&-grB!}{bz`NH(f2%lb)3ajypPR)zN*mAy3(ETDSl`qWlr*e`>*Sf*<3d*bcyGt4!L`R-S!HgT!)6@Ltr;8!y<{{xf&={I$uj* z>&O3qzU@P%!%>KDP)aw{Pf#$1{jViUm+U*wv?d<)%$^(vO^!@JgrOgEEK8H`$MSi{ ztPjJKiRL{MOO2#R7J&#ufAswl^?>a#Kp=uZw$Z4T;*Uout(!2QWfYZJ>pe8LzyN`3 z3)uenh6Pnls9OvnKXxYgeT@}H8-^{IH)H35EkYJX`A}0+RH$rP0)nFW2vQ;wuwBZ^ zeeW_O?^}?Og1|uEk(&DPNIZ;A=^$M8S|W2^YmyyB?T6E}`6qK`Yy6FU1fknxWbQfur96!m3|aNtF`eI5G*X zB*3q&m++!51g*u8v5ffcUjc-5$jy!XfN|&dway(~#6SvpbbZA+=(pyb9m*4Eh%^M_ zn21aA>8v%+7gYYb38A<0{ZJRufUz?Afg5sV_7|B}GB*kx+_r5#^@tM_QP5emOoZKhFZKCPKumuHMrNRLL{zeH~PUBm)bdYTb5o zO^EpWyNcKuu!nWbdp=Zm4GMBwf}QHaw9oLfLC`??oWiNTSPL~OU6Rr-@Z;zmfYr+s zMlsjnu$^0-3tXaIZ8S;n7a~q&T@B>r+oNN>hs-f6`+=5NEQ`D5H0T@Nx3YurBQk^m zCP+roZVaapUWcp@Fn!DgrI}sRdK8J6u71)7Y)dTSmWxPvKi1_yB%tv^epx`|2 zl%uL!5|OiT}0ULNbd zTzh&VswNt@aq3#Jy{%3A%#ruW30Hkz#9NMB)NoSux{+peJ8Bgg!dAi&_qaDZo{eNS zLYg74MYK6O$g$rGi1+8%Zv^j~AJGXNm{CZxo+*0ANGX~Hze2%PA);w;=;|?95$}ip z=D78D!*x4EU=*Vf-gpys4(;px9-16&)8+0-%-jDo7KdcLL{^?dvadrLLd2R==I{d^ z1{%b!2g54qNN4rTyn**l7B&OBYxnmW1DS*T!4-~p)x#E7;3Lgo;`b1)!7Pux8gmot z(%A!fuud=BK5x$jA}7c_U$~-x4@`32B5=-N#}DCoI@o>W>mVu51v4JSeti(|!Hz3a zAzgfj?jWRDG05lP*6~S10&WZ5@}ug(IDzCwiRZ(XyRGgj^#a0)Ex1Tj zwpk;bXH_LgZC0nc_{121&*{2y3#p?8EXnD1ji^8(_}qD@c)IC=clN&e_3O`?aHx%zv%|x$|1D8{uW04ycLtOR`!DPkKC` zP#oK9J+$fy_xU;m*%B|Ssal`(F|}8~0cg9`{Lu@8^P?LfYt6<9bQQ_#H-OBrCC8b%Rs?=C{Ce5yd)-M$IC8Ox^xbNx`{c`YczZ2`FhI?nPZDaA8tS-S%{5}!USOvA#(KTrWk3B zJ9mJO=5A~j0JG)X3(dK6ac*NrIa8*%p@-e5!Qg#!uU8&FYv?kZj1fX zbJeD>f^B@geXigiv0mfdO-7+z3w*{>EqVF{l4-j!4SfQnyObek&<@U*eB#3!J+XLb z2NHe-Z8vhcZaYng@W*Kh5nuPhHK8548!r#R+q&79LFi_q7`Vt1O?w=(SOktIP7c1iBs~F?^>(el)iM>hU|Bqg-{HuwiYvVSI zxI{J)P%|SaAYxR&04hB*8Y3V?KwwxTCqS?hI?Y#%-*?{m3%(z6PM@6WTUA|E&%MvBd#^$OE=Rio7B*RU0Pdy9 zjV;UA$lHRz29PeUl#a*h4*l|F{wT0GTI3CoE>mJVuHw(kon2GyoC%;{Rko!tOOIq}hebBFbq&#ek2&|;9# zB<#~Pl6X~b^dJ+f)i{zI%ryh+@+cAHGKZhXJLcTg16j9gq)Y>hyfc#5hNMo~=h0uM z+UMA0df5ddn@oZ{tqgTKZk9O#JUK;HZM3k{u1xFH{~|FcwjQ9KEH!Q`q21QCEwajW zle?GU-`!}PaVaTBbHTI0;0sl-YESVI@)cufO!#u_g}X(uHmJpVA=r!s+ytV&Z(_M_U=ol!I zKyDyyn8;ETvLhItL!0!^wuzh_OI=T}&OQez;=iuS8x)Lr?hhX_RxRUHkSh5QSPF+DSN(Qde z&H{|G7h2d;0+ax-jYe(BFO}iX?w0V!M_4tF3AaH_Gr9In_LwmqymE=KBm=+t9VINw zoS+R7adjAw$GJ2XdWHy4>+>B<1B5I34)o);K$*Wjo98Q5>;#A813XXuOhO|?p`(HQ z(zgJ>QnH8F5}#-ZT25_exk!e25-DgFjw+Zilu&bMCL-aCjLdb=>L*zEuYq7T3H1E$Vf(%&@tQkUR5~Yr{un~XD`0jCrcJs* zU!X7*fJO04aBW#er}%c!5}C=7^krVp^@dh4H+uEh=lSSmJW*Kem>08WZP(E zb@|`#hr@@~pGi*8xfmFvc_`k##y*F)=W(*A(u81X66ScWH?Qjry&T#+vCyL9+CwU) z!SqK*yoaZ|vxiSU9bOa1M5JDLEHuDt1Rln9yM(?~Q|Ut6+EDBisw3fz(Xg#+76Z|M zC2ep}kHa3c2xz@Q>qCY~TLpb%aN;X`he9(*b1fHgBLWHATt07A;A$rBAenarr8isd zF+Mk3)vi%q5whE3BYSRas(#6l0ZU_XjdKhaX*%<}s(Luep--{1hH#Bt5XsOPiXh(- zy|6gZDbmwlA~!niL2?Uv3<;Y*e<6CuHTdpY(uvc(8SU9dtA3Ybx@)jlP-j#(`b;k9 zz)ZEDwH@E;k+K89qw~*cU7g84pPO2&<|mAmyWh34AT@H7Uqss`24+0evNU`3#nWl} zi0=nrY8UHb94e;5!{s`FNw4Z{%rOF+%vhi@w=9$3X0L*80MNe9!&hAGC~?P6jlHB# z3OI;{>o&iQ$Ovwa%v_WoS(Z7I1uVc;koEO35f9^om8R?;hu>4PMFCP$A$y(*()fHa z<6 z1&V`+mTKOBsFFEK!P9q;fI=imqD1%uJbA%ETtdQB(s8-hG%Pa{w0RDMz_W*@ZCEHt z3sa83<2V4vL7d-9KMYs3W6K%EFU!0;X*(g@mJI~YW2%sF%Tq)6)30i9d$g%DTn@OM z1JsrPJa&d60HFe~?hagf4`=eL7+)Yxu9q=h>>a#!eRDS7weA1RIcN4)$!Rq zZzqY1)Y`T1{L><^B)+)ZvruN&H9G3C0ul3N1+Z-eNYP?b|%rKa3RpCv(~mxDH3 zO_{<^G)#}&*IMvrZ9pSerMm@Be26J+ts6Dkcg~I`9~BTNK-28<|Hx9%X=&UIR3de?DxYAlAun6JkD!XZZ;b%qg#GScGbN*o_ za*}V)zNmE#{S@|ztM*%`&zLWCf3(M}@mkPi(?iovpWVZZk737N{D4>7PRLl5_=bO@ z?=e+pAmHVqa;seIm4z1zlU0|_Yfmh`NbALAt;S}*U<%a54lu)z;Jp^a?k_8uh`N{z zuZDcR&^&96v@nQ$(^a*r!k1uH=u%!Xh{SL=vrO~ghg3iPJ@LYCjIPWC{=8F{q(qU% z$}Y~NNHc?-@$~>4*1i-Xk>#wdC~5JeGy!uQq;L7qJCUYx=cu8e|D{@AM5$-hDa}fx zP2_Xv?dU6<6a1gxD?aY`Rh33ucw+ZQzYlMZkEoLo@iU~}Q*bwRQ7U}`UGSk!)5{#1 zXj@SNC2N{(2t`)0J%_lrBpq!=-VY23k$rn2Yz0#)*X}+)5_^$a(N-ZkspnJT{HBru zEa^MJM|PyzXC2XO0To0j)D~M=2h}@qTXTE5&bqCyiu4bC=5L;UW!$!FS;jry&s0&? zeB0^X{q+|-ZOe6riUtcUw+mI#hgU-tfe32CTeME=bas@cz@D+D z3)-Y_GND(oPVLP1=Jg>E%ivC~%dl+1tJOcq{=$(RQ%0|`1oOjwEycOhs_);qIVtqC z7+r9-@Qprr-6O1F`)tHygSmdQXVtHK=k;3~H9-*FvG4eZaHJ<>Et z(27D}X23zoh6ggCg-iWqR9p>`1s2a!WX;hK;FF%Wl=`>sipipoI+$eWBMMg5@he+%2cUfBy zGoRrqR6p0nlK=Nq{>F_eutE(zsMM>HtP@{mBd~ffkUpY2_jb*JV?S?JjW)u1N`|?baZ|(R`%cHetDlGbs*mjXjTZ_E(-vs#&hvb)m z04L2ZLz+CA=+uds4e9yM`B0sOgeXIc7Tij!zJRz--iC9V;&sSr22qANjX`mA@5pVWE(pq%~FdQGqfT*Bn^+)FiQGj zeAbEYhh@T-&&GKC^5ogZ-8#m$c_)*NIx;G4+4f39Bbw>ub`RA*r+>*x>2bhV_zO~x zLk9uf0H5x1Ppd_mF^_o%o*0e|qgRCWi+o8yk%?!2#SnH%!cr_$&Ib5g>y$XHi&KFE zxQx*$!s&eK*B2Mr)p+R$&{2_POggXmO<3cNzZY=2^h&=It(<5rR(m+gW&_=>cJ%98 zpo6jA=6vK@>UHvnl)+lm{4-h?&BgQnT|sK)8RAsqn;oSYwfj*}Fk};-$Vx*ZDyq;Q zh1tNJM%aH;gFkuh@C3ge>cLe6uCW8sfLD_HrAjpSg5c=3`Jc$G<0%0Yzo0yNH{DtD zukt?H{G)^$+>0z%*c<>vvF<_)`?bjfCjI71?%ufX2esQDs{PgY{OJ2UWw~qlf{N1J z-{$FB79FY9oMMwEu-DsThUzTf2BFzAoKBb0CsWh z?{SeBZg;5SR3>ZOG0Hf%*k&ETb?WtlILqVb1KE7iz4fTq|7Edi5BwSh?` z;>i50eXAtnDh}ht09K-P?S@L|^ShSjX*5a71Bl=Ym^X|8N;BJ62{qPf@(W-<2pr8! zt((|zz%+d-mf|El&lcYkAy_Po?cfy=g`5AWc#{e$(cw^|c=sCPotb!TC+WfTiU*@a z%F+fbDGFFXpMM1TSajf{yNiF%DFx+lKxZ~Ut4ZSKrr@|!sZ5B4+SYJ=c|f_*r#vY( z!mAeeB^6N%Xjjt)52=Ic002G61>_x&HHkCkk9}=T{lC6qwF|&;3Z*a504Z|-Mhwy^ z-3PxWgVIY}{9^X940v)_s6t1?S^aF_Z(!;70*eyxGc{`}Mj3}&0d)N{#Fb`$0rRdO zFMz~xFxD@nxApT=Mz61slcWC~BT=Z52h3+McQ+VQ2aTGrvL#D~wVt>PMg9;(cg{y-e`?bnMS33(*S{YAVw;n?ez}!@#r=bN-Gt5<1zL6{|k4;+S zI0aT;Xnfh(Yhi#9zDw;LN^$POopT9|O3aT7QkdLYeV=vc0pL)Z@QZNl?!Pv$tzvZT z^}p|t^lj#$By#3I+`?cB`OqGzH6hmwFb0RGO>OuP$MWrMs7|Xjcu(|!cGk4k@_9}^ zkc%?k4EB=hC!}UetTzF7sOy^?kZ_b8vQK0tk zBq4%}6aRtKDD=6dlgS;3lIwFPYGp;X`O~^qduh!5Jk;d?bEywOpr&NGyhfj$FS0eB z((NDQEtg`2VL;kxwv+G(kS0Um1*9$RrKwj)%?N^6KXWODAoxANJUoCP_=MmfL10j6 zSbGB}Hl$?rw4+sN*Imfw;U@_KS0sEDCr+oNY%%tdkLbI+D6)-H>y}5hVG`*&ufC=+ zts#_s>7*~xf>D{IWme$CyC^f$y5+RCXdtac6FFa00ik3i4;yjfHIx~RZh2Un4v>Z= zyFNv$<|%Qig!InKvWKC@FiQ2JrXZrx3i>R@-FW<&ZjA_nGNNw}1dBC;5u|khRrP{; zgGNF|8fwYyhoZ#=$_P?EV56F|ajNu0o?*y)uH8v43W?V%q#k zx8@*YPPClHx~3S|(i9hkQ@`fbY2|g*<2b_L97ij!M-)eV$qaS}Edi!vV0*L(?FeBi z;vhF^^Oyq1`QYq0AtvVbO_ugR3(|LxgL@|b444RHu8&ktFc}bENCvR648NDd&W@~Z zVaWets3KWC6dEtt!@`BvpRXPI_>_UK$*za&MkcGY2@f>(AVr$oFEXn~{$-S}w?CHnh07FV;u;yQL&2ImwBXlsst>>8>f09Ni@i(j9`p zcdz&7ulW9O&Uu{uu-oHYk1Oxj{X)FdRVO84AbRxZ5vitziaz#v{J#r?kG;zo?R>;O zaD4UEl^%T`X4=8N038)|6dygRNhbbhjfZ_F^wKc%ee{SJ{J#rld@1Z7_D6=ds-|xZ zJRRN!So_#NdTH(K@s?j#)ezz@!Y{@zB&2?(B=P7G+(1)B(J;{Rpd+B3X{w>B;;M)7 zs8jxTvtvR)GVW72#emdyj&G91{P?u-@c)*>W*SNW=wk|^h$xL7Izc)Px12|~J(6JF z;Lhb7*Y8FZUn>GWh8#-CiS=Hq`2|cJRtJP%WV;&q9VuyYrWxx0|LwLk^YvrR=5ltT zlw8rTKOA-0$#OEiUTDE5q_)XKd_640B8Rg%>FY@&{t5DOZPX&GDnylBGU62%=v3<` zxxz2x#43h1CPWrq1if~0&3fnHu;A?ID0sl6hjEfv8V&176?slq5|H`#u_V{qoL@N- zn6P=l?Hy<4?bo2pU~BWz7TO=hFsY;Q`r$JH9a7&QmuR*E0@jWjLFmfuDjQ8{&_TbuE9Ap-70_h{EhXWrnR1gdmc|rpQ)d1PsG&7 z2wn5m->fXx{Cp`8iRIPLZ{IEiFbuV;Tl@Qo5{~2xZ(T2shXjV{Yw+AUWCJEI7kt%^ z0)q}`nFU4|o6gdL)&n|(J=gL~w)N(3cmMU@T3QJDExQtz9)yRkp5s;tn?_2|jL1FV{apV*K*e1P=`R)*MAjCZy&Ol2rRUSfwOSn>1yvdY|FK(m(f| zK$mXH=bP`%ilHXIzl8DR7lu{j72a2n(!)@nx1Cq!x4C@}h(EQEee2SUlvphKM%wh$ zb)Ao)c1LvpU%6?qq`<Qi@vV`h)@KIa)23;y@xo# zR)r_GmbdujvKq@_noF)?%%N@pJaM~JJhiw#d#qKH*xB>_B$3gON?T4f;ifBVM5s)G z>RJk>6P1VN&oZ(}9`-e~i5;jIY0q`E?@xNAJ!+`Ep?R@u`SovR z_fcVVNeJ#vVJ0(9CK|>?QE*|0|FQH@3tJs7*rI4C1}(={;0UaDgm^2AIyA+O90G_Wj4b|IXi%!E+Vl{s2}9F$numd1m*T>V67}GbeWPu>~63x;~#$FYkhhG`n$7q>CV?OWHm))_M?p!DZ zA5-!rB3~v$B2gSt@BksF!ho**hEY1=qu{ijqwoWsglL{!3&HZ>a)(0lj%AyFny1cE zEbq6}G@L-+>TN=@l=bt~ltd`z*!3A}BE8S%D8_{9G~9le&Iv`H6qA9UL+d4s$?U|H z7NW=~Dd$tb|(ovc%ClLgXzJ&LcNK)n@J#OrHc*y*d1Y3>6%^}z9co#-5l@rr^?_%|jR`ky_T z`<%WXPzeJJ>KZE{6g<^hOyD`9Z(wb0J^(J)aoyws5lIdT1qxwaU#UjPFv^0!7Mrp(S9r~ zNKG#C`~62IAC6&B+l_e1Ake-;aa74l5o@bKSwFNE$+VTXh9#>7=H>}vK5pUR)*Zfn``H$Ljm-(fSvMFZfN*bcCwV>ka{nwDY#w(2Q1Qg4FEbo{0Al3g`1dI6AFeTZ%!Wd z?K_}VT|n-XH6sivPO{}H7H;{+{p=Ky!tuEV>;!@Ar4)H2X9)LR-yii`PCsOo4jNP! zcAKFz2%M&ISw#V4riHWK$|eOJ_$q_mnWIL>I$d&tDBD$QLV!^!63as>FOAC^)G_&Na+@|K)I=GWkvNpIs7|tC3CeQ?YX{@srBRK71*R z{RBN7ob(NCrhjX8ALD4~nEfseBG?67hweb4L*0l;O<_;E2}77q-#17Yu53FALWkd@ z)mCT)@wd7)CD@Mn7>46e0!k~iMzBcvEHVF)K~YQaH8tp;5Bu?5nG7LDVe&PnE@dVH zIRgeu5+ICLOc6rHNmP<_9JgR!a4aVo;lAc;2z*RyTSaRy7uOpQkCq}Lp|O15{Af*> zU2xD9FQ&aCLkNyiWF$qHyrF^B#esssvH z&UcYNOI*>(b0rwxBe~gTQNg_hKU(%D-kB2~f+Rv>Rnu_Rl8>9ilV4bOCR14lciAJDR5P z6gmJSq9rW`#Vec~8;ZF4fYu}q?HT}u0BePLeSSOBuvc8%^s*C% zf)ON7gf*PvF_yP<$b$lIwvWU38W_N>WEOH(*N#-U_`fI6tCh z@!|%(*eg)%HE_;ETdlkWD^J&hgMV&;pgOUXl4@&ZC<+O6IPDgsx^Y|)AkPSD|BTmJ zvJTV0REiQ~M8;A~fWOgn*pocL>nsMGnP!r6(FY}>1Q4k8|8olrt=qb(lK%&LqSr_8b`6BM3O{1_(X5u>Zb4FREo}d0|41h?Xlt5l6OVjpd)surz?*G|m z;r>zpL$V}L)3>z0?`iBh{VxTdWJtd)IGDuzSV+TJ9rD&!)5)HxyRuO@Z|qavai*pN z&D;|o5BCPuk8|38UOulwQw9Qf`LpPYyq@b*NvpZ2=|5N7O+m%z(r7Hwzs(}pvWh^_ zLimY8kgf5kCx|<2q&=qxVHDOjP0CpHo8_UyFA)STM2_sysxarmd@6WdLn6zE$1IKX z8br%Qlosxc?kkU3I?lust^ILyS7imT(W1&Fvx8>@U~vi+S|`j2N01I>)x7u(ZFKk7 zuAh~eqo$cF@zMn^KpO$QnoLEf9hyv(Ghp|oG_pFr6p3dwM7)H&+$0Di7*Y}{_!1r* z4A5pA0#~3)5<6qOtEsPJsAiKQRbdW;Iz?5~bZ*-ThQB)qHu6h;CQWv2fi(vO=Nou%9wsupE~~{laL~dFiK8K2O_*q z><$`SByq-wl3S;m!Tazzd`4Y*iJ5sxK8NxJIR90^F zF9`EkH(_SOUbzD36oW>YoVhKl?jH(fE^Y%u~DB5VkJPOTh@kR)X|i+?v7us314FONn6QPB8CG&a-Iq zWgP2RLFvSaLnbj!tiaaK;-;Uk#hEC7CvBD;+djW}!E}W7Eru}#rw2*!^=4I+=TyJG zC6sk&xzAhQAnoQJ^p!83_<8&G=I_;x_a=roAgWFxi#&?UgInM}frcdrk2_>2A#z69 zGKQSTn<%m%WwxkVao$ODEt`&583sMcd_xf!z)h`UG3dzuJN@EyRr^V2%aS*KPKm_w-OK5RJJyFURNEe7ANiU?_sn`*Ww-wf%4cq0 zl*)&zy87pf>@~_NYU5bR`CJCw5QOFJElGE!FJyRx3qP8%x*KCQ8_AaS-V|#IrLXJe zH93;g%MZCMc01#fTOPZg zk>BqYzAXd|SMM=Z0$J~G43^$IZ6hk`0Zo;&ewI?|3rUv9W$78me{Gxj-DegJ+s>OZ zvZ3p-wRwB??Tu5n{2nb!NWDEkxX$0uwxAx7N>!Ae;$BrDTG)e zCnCR;l0VvW{7-IECwoOr&;sxx@ES|wllBvRaZ3BN%1A+dJon^>ux?2Ij~RpE1b#Wgn3F9hZFi841WSuO zx*%{bcom;CzWm^UZoL@~ZVqJ>!~AxpYo%K7{ITA}zGrrhC(S=_kQj6DpISFgI-iMNPV>bSXtWvZCQU`$E4k)oXc0y?)CP|#yMwi(#%1}uLrc|39<@&)%&t{k3uhonriR2ua_E` z>N3prBvmT8SW3jdTwLSU`z+g=jrg4oB$su6;+XWF7uprQll1%So%38*PC+8v$=`g; z22P-`@&e@6^YhsWz6J@rj?GJaBTY00rQG=CmofhO<%>l*uZhI)gxSjwg8z34j;JkZ zKQ`MqMJa=k*rua42Ec>n16r{LHAk$gcq)q%8StufOd4`*WuHwhfAjt``L^+5E%{Yj zq(hZF&t8kJ+*wRfM|fEUze>mPVzQkqv5a50sz_mFZ$^+q+d)|_#q||d>Rk^a4b0&n zB_J0Do=php5a0``G4N1syY>(xA&Nq^}r!IdN_c>9zB=);5aY$%yxdm3zdpjBB zn;Qm`E(6XkvQwijKds*#bjTY7c`2X&U?!r7JH9_P2k~Y(k>DQ zkNtAapnjjv9{c6pV%L5##;mRU*e_fTjBOo~SC^%=`jV&3|FWu>w)}RncV{{|ti&QJ z9&gz6f`s&SfDzOI|9giTt^)p_rW>F>TZv%j@CA!$}xGI?**94Z#(-<{Z7 zdem_dzPBJ){@(ZiC;M=cxt`c&>rv5}HDT!P`Jm!TGzFczzbxpf-NApuui!}0i#k%$ zn8RP8N-Lz+a7MdWysaXvsIzP3C``$fPj<37Ajf~`;AX#tVtP0@09^wB*7wc4RYWq+ z0^kdfDJ8(jWVb;oM5r4ea0v{1;Bb*UEMxJEL4BDE1cltFnvHA%^KK+J@F*I@fcJ2& zI~We!=}2J3vo<^mRi#hvwh+3*x!ZaT_A?7X zJ{M?J$)$Nyq#KguY2lOA%4?rj@O=>FLvu|}*&GWZ`C(#p=Z~J=e)8x4efB+tB$bV@ z_i0Zp6@Y%%;qc4zP~&3iz`lQ}ry@C%fUw4ivI96OFjb7zW8NDV%37c6@C)h{S#Yaj zY5CuUIx#c!_!B8@^)QpcmPp5Srtbn$`X?Yca<-6+nAfL}^41wMt^r7Xk2*9x6>{^9 z(6u}T{>Fu~HOWp?a68G80mA=q3C6n{To*Bgv()}E998lKBuAr6xfC`WD4u^pl|lrk z`&;HUR*iE|vp5}>>zTkjhmFm_yRE!9=&|Omqy-gS9EzZ-|K0bA8MBqrvTb%y!sEk+ z4R*h5-_IVMCvXqS@1)5~CDV0zU;NL84Q_+<3}XM%mUX`;p7h26Vo?@fS|pu<4JGz( zz7S|9ygejD23K|746W!$kUgE3CvBkT` z2P7+;in6rEeukK3^~|-E_g?3o$I8>g!{I;=k$0?O^o<#xpXt;FjJE6O4PZA(S9)?V z1bHn|^kgEiPrUU!Bn2fRVfEjZ#t6+%YZn|!>BJ>f)=(GVJrf|{^V=x%B)pVjYA2yB zh>mH{JYmRsgS2TlUFEK~dVCGR&bdg{;5(YYx%)jjJ*9cgtz3YX#JimlHKeB2d(Q|fcCH$`G$l)k_$Kw*7aY!b6eY#W-n`v@L zCjD<{&ypiU&;EPWbf{rHUT>}F{U(;w_ODJ#4+xfh-t zvU{QDn0LS0WA7Mt{RQ;8LLR8gQ$a12)=K6!BP|F2OB%kNkw2Cl*nQJ}`=ggX@p|a; zGWYmK0{OD*dT6^gFMe}<;cuenwMt`6Z{CUEsYB@AFxP;m{a-Sc?QGAX>?}uz<-ZZ0 z1g4#Q8S(}Bce^5HBNvBUt7!lp(jT& zO~@Leb@XuR8N~k(}Iwdzf~9$h~?U&aUn2t%dM}3!JWE`G-x{rT2gCtU`6= z@1;Dh0?DPp(hEaf3jtyG+#P4D+dtcC|0RT-m1hZU-<-$GuV0;TcSPR?th9ubOV2u) z!56kwVJpOo%-DL54}e9_*R4S>DCk~ufnJ1)zb@=#{BF>dC;HHnLqRo4>sNJ$V4%h&DAcSBlAWaN&SQUXa3DW0FF5b{mox{2^m|?6EaFK#b_+z?2Xsc+Lap{>sMLx$!?_(|Oe_1bnsmqI zSFMC%PzWg&pt+4lkBmiBDsT=PB2;05bYRCIu%k4>N*`fWV$FWSlR~F0xb~Eak{*(n zi{bS)-4ZO+>p?Z~c(gIarA~sII_z)CXOd~YPSFCCf4 z#Pv;jyHUG17Ac1HysXMT?*}7|U%C#i zq&b^Xr!;(?k21BTTSGFBP7A+v|4pB+9#cg%Pqh6Xlyq?T#y!6L3a3dSgA|>}CJ%Bi+`3$UM19F3^F}ib3*LdmWrAwaf{QY{mspt<1k=X9$6r_3=m8XZ=cgxb#pI`Raz^^ zK~rQd?5t7*X7XB5C7|U6wfkJH;RoZrv;lUX`WmlNmBenobr|s2#%q{Wgv+fQMDrOI z_STxhgGkb)_9&+Q)aALHztI!({bIaKYU=UD{EnBA^e#)sFuT9nttYAb{kB}nk6|d4 zG&6y}Qe@_V;f%247fYJDZb3V)S=9@^xi;LGLrMn0ZX3Ez6DK-*bY}#zT=bN_VR_6{ zQb8v~jq&;tpM&gW?tX`%`zZg{%$mq&5g%|-s9dFDOs*mQ-d90vUN`llt=xRtsAJ2cV6xik)+1|2Y-S4oM&sW(afE;KE=srv4Hj1H}{M8U;Z22_k-@iT%!{EtRUqx=7PBHr?>?X>pUGy>&aFwk_^_Goc z!CJAbw;vf2e(TLx2I)O~Shay$49O_FZ!4@w>HU}JfEZC+@pUR>JNbF$R5)VbsJr%y zSBN--(p}V)DE*CSWj#hi#HrXsHd377;G7}C`14K&*(@QS=IR~=-TEq@1T>n!4R?X< zgiP1kQ{PphX`J_juSl?I9Hogl5S5Jb78(!yW9QAMBDs=rPW-= zPk01j@E;0klBt~OkFlv6I39(f%FIwEYuAXpWFHE!EJogXjPCbZ7Kv?Jl^%?A>Ja2T z5HffEWnm6k<*MJCPj+64mT>x!W#aUYa`EV%7V_Xu8H`4l7!=1-q-ADsD{a4j5V_w} znhLJ$G$>>R(m?F;V5@xDW$&&ycP#$Q^lLUD- zGoldby0JDUdk&+cMo9vAGQ+AOA90kpf=#h_R8ls?)=tSCqHiuJOu+R~#m*nW)W^FG zTTpSx`kUjbW2b3P-NHr%p6g?Rid3@?ngHmt-UKsqR!+vm%$8ifgg)Kim4`LGv|h z^@ub6%(?a0g9O0{V+uP+6SZAgmnffl3zE4dbm`R~!X}guA9amIN^pQV%8Mw!ls`TJ zor8Wu-?!+_9nlwJstLvKNa<0tL4hNGyW+4KD}m3fIZL`ULUM&gv7HuN4J;6ikHETn z&Mna%pV9BzPJNe-&T~5p=WEhkQ3+fBB7*tk4j;B+^T!(guYxM?8i@D(md0 zZ4l&e`x91}-`WidN7RUBQ}DwXA9>?_tC;qCMV4x+Zr7G_e#e_PYy9WaC*zvXax=TU zqJb#Pyv+j<>}t_!8wx9-G2cSjg_2Vf(F7_h4Be0#PzVUX8iRTy4Mv*k z(_zi6m+hF4I?yT!(3IopyHd&~cnsWv9^8J}a~adHw8Sp$zN^M_W`)JVIW_aMe%-jq>9koLstoN~~WB+KD~)g&xS) z$^E^{-`P0GA6JQ!Nl=xuHg~h^=?^$+{|TsSHs~06H;_x}+#io(yAjG}Viz$#`NC(S z#7=PF&*xFa=IyTWnh`9mvZmlbIj`&A52Y<+Kike^tA2!VkAE}bTD7OVazl~9>7M|@ zxOqj!^>HiEl*sYd)u*w!|4n#f*!ZCPtXIJjXU%+o+%BbuQf1=>zB2~A-q~FFUB(oS zTGaI=_AqzWNO)UChDCW3w;#b>>#&fovW-WvpKt{Z&;tZ-N&KE4iE=f9$$f%i(LsNT z*@WmsbV=GJ5I>iOBhk#xqm<2S#-2n!5Dyn&VvZQoFHAcm49c?9She(*A%Wj2t%PMi z($C~PBu5No(y`ZJ^{Ib0#`~H+cB6ml}BRrn9Gh&KNBPpuI(_}(% zyVbBWX6Zb06((1U=TlhYeL|5%&L~wo<`9pDJuPG>cXR{uuzM+VBVUN7k@_KLjgXg{ z1p86-(n_Dse!SEE3s0by`l3{Vrzztku_0#2(%zdAExPrXI zPqzfuNT>;ZQ-5+Hh+id7#w~MC2UH`{lfi*sjZf7Bx*oyx^!KtHA;)H*5MzB)XkIMT zVT%Jn8xgHnj#dETYn$3Y033)6tCt7?C71@bgl=K@2JdslN$;3uL(GV1*dXaN+v&lc zEktl+AFogpb9F9fC*05EY4Ai)>)+|vQ#|4a=?@lrP2qp(hvfXSYsr`YTkW;-A77#! zEfITls+YJTMRNhC#-)TpKtOCEE^W05?gFtY9EFpTYc_5PEZFqWM_EWFMP`$+GM zaS|Rx(-QOPXB%#`Cv}&xr z(^&mK_mwWrFv*w|iRy(M8-iqT0cV8Fyh0#z=X7jOpQDDEI3E3lxV!RPKgPlt#Jg@? zKVkeoZjT_xy0u4f{**C;7uNVtkjM!-{VU5`Q9c=;$gol?I^^;idCu|Qvwy`Pnof_A zr4i4&%{@=&qlTuZw`z~rD~T7yAd0Dn(6HH!Yk1Zyl!}E0A(AwbSyv_D+5oa!}jRU z>}ZHzhpP+&nj%n@4l-o$k(U<8Syti-lTGHz zo-yL~Iie+3jYt`5S&*w;-};Af^3$}|@Vgtvo8!Wfo$-Sv=k@YE(a_#h(U2wX0n>M% zZg}Nh+|@9(UP5)|-lb17g{S8Q9>$*E3xsQj-?$zZd|dpHeWmUBFGuaaVwN7hhCVtj zJKfoQA(9DBpd}I9Y+TIx-CtNJ!`E|kt-(7u0Y>tv^m~fXY0bS{TUQpXjcQC|hq!{1 zd*u+&q`ARA_030g7=yB%hTEu0x_3>iYo(Ecb0u5dhu5?-uIxiR4hoZU7TxD~ccwP! zS*pgSE-#0<#`PKD-G&OT?t)+w73m>E26Q#LjqQlVd5)C#L=M!>3J^&#)xZ8i6cV?q zwDvBgxl?PAf_o8E`L=^H*oX33h_d+t)5|6ZO$W+pAIKu4|4VD+Ud+N4f8vDS;?R~v z%9a^Fd8=JZ1%kQV%y&8&^Zd9M12}s6c!tNRB*Jq_i#AS<1?2xSGk2a7B`yV~xAMz; z@V|d-e&OrXB`_AjY$BA@=`ic3^ZjbUhdw!&Wg)kS%=gmZa=^C!4&!^CN-jS6GCKm z{lW8SaYHKh{v2B+*JtsV&e811w+>mHS!RFSEuV2D@{OA-!?Ie$op}-a`g3{?(z*`F zN=$H>__R@fgd4BR5nn_GrHY+EB7G;>fKanXTp!6m9h!utTL?yAL;(39`D$V7Ck>KZ=#$tx0E|A{(*E*{U;r>;qI zdVEjvQbQDc36jzza4U{-+emHuyFPI0&4FTYD^|X z`uprX6UXp;czlc?f#u^`a$&mOT^~@o*{vnYG`q`egV)dMZPeC5=;z<9XRd$mHVnhB z2Teq`(K-z8{-`>a#%@NwU7-ECXn&IXOx9Q#9SkvnBiDFqG8U(R0%>?wF!C9j1x-O7 zAq55zhqb{EBueE>9+gYb4EM?dw+1RxPJaNS3tJ1%<${*|JNJ@tS&3K9yo2X9aNFaF z%vBZq;$V*=2M+&N6=T69wwEQN@Af+*yko>!+~vRC4{^ z{@AjKjqXY30qb3v3y@!yzu}+f%os_nC55Z3-m>0r>yy6XnZEB^^`sSO^TH#;Zs%yZ z-JXZ#-tZ~Jw_JNOR9};jn)<}x^ULzs@rS<0=L>$1FA)3@U%9f@uWyJ&Ln3Qm&Ammcxy6*Z@+;XCt+qNE+IW;#L3UURtp}4v zOS^6(J8ysfvYmUQw^+oYVZm`|B!z*l9Y#0PAg@c1rmDmK>^!j^%1Y^cSH<4_6zMeOM9sRC7?9^NW-F^~)sS z{`Nv8zrK_03|=jY?KiU34OXKyd^QG$!wb%8F$IQj*u_D~k6PTTxFCbcrtKry2g(?bhooLN4U}n!VOHU2DiFyKA>) zKk-DOWeWe1!~kSzm{i+>b@ffi#1vQH()r!j>8r|mbbD*}J_8JN|vdSU#ML zSdF>W&vs19tC|sb=!=g_Fs@P4-3O6#c&Q8wyg9=k%&tHguz5*P(;51eq1X&zIODC2 z3ycyA#@SSJPinq^i5*_MMYQwQ=!@7^C<8B_w41J(Yb-pw8wJ!AEkSrE-cTaF+a5W$ zBqsf2zp_I%(II3_&tvB?+Q3foiy!J%qfgTV#jxkh2QJKYKu95CD<#!p`8%|hXk^to zrY%KdKeyZdqF?y_YFTGww2#@uX*rE`%z`yc%j(|_542HEq3C)`{{DjThMOg0r15hY zQ+eBMjOG?@$&^DNNp8&nkzZzTgm_-N+S#R*Qou@ou)HFpRhdmGUcfWIH@bfv@$4iF z-Q;;HQFm z8l-1|PM2B-#N(lIByOW*N_;#zj!HypaRf&<3?$Q~0I&$+39#S?Jn-kD3;=N4pml7m z?Uu1BI;;tc#xurTo9>K&8SO%t+$(FoEfW0nvmo}Kd1MKAtw(9vhXpA-D{@hcY{!dO zx`%1k^+85C_8<=1a0U}iHY979c(z2EygDSzcN$7PX|7e0olcrkSXxiS?GHNn|NGGQ z0pm1ipE?XEqAF;()8%RG{`UgZA<+4tMExAoW>7vT{B_cv`#6KLHKrT`#u9Z*Y7Sn2 znB);to&zi#?a8Uj-CFLiviP`_lV$S=sl#sOb}&O(a^-`%Mz`TxGTv3#y&Cl>gU z*!9AfOqORyelw0zR(Du(e>j3Z;kH&}g8~cXTLLK4bcL?>nB$jfm9lqQK$!CHDj#1f zFb-D+Mrhi_*DuQQVn+#rsL^kjM;X~;q0@u&#&swouMRg_(1JIfEI`ZO2IB1)KR^;> z28)kdOsrwAif*T|vQstRGt{~;RsUr%q6@s|N_*jEjhS=3zypPtt!&r_%E;JE5#FGs z(QoDB9kXefHcl=%HCKNGvz5h>jCtj5=K8G=g_b-3y-t5HI^2cH!J!2I?HRoeZmxLw z*WXtzF0GLY*bw(k&a}!9)wt=QZ_MxY-4-Tdvf8m-m|sqIy*pMaw~ zX5Rcq=9@e=TD(PJ@cP6#^CK{ip_4e^5pYfhtaL-B9_4N$ZS z_w*%5y|PP037aUozF}FD8xNyTqe%bE33XuE!74oUXA2j_kCGbeA1RulKz_okEOpMr zZY(yHc*y|nJ$X7!?U@GpH}c&o^rl#2(RWJKx%{u8c6wH7%hEo_r-p0TA3O5xuH{kadIY$2R$tBvI`NI~%H?Hh!-d7hv1>vd#K-=cOUTGI<&GvVrYwoHd0l*T1K!Lm+#T$%hP!q_|P0I zsGEqR^P6Bwq%fGtB)SxOuSl~YP83Z;JBGz8$Fk`xmso$m1Q@6ad zB)6olO0SE=2msUOWH+zD)6BK6#lQSYv|T@`5OrKO+O1j3(ZV=m+%GtH8+M&t8}&l!SNm>P04ZlC7vKpJ7k9+-HcJoxu6u(?V{h zq8e(`&5IiL04wER7F&8N8NdHYrTsW6fIg=gEWBQ#OJ_K~<^Hu2U_jKBJx&tFYM;r% zQ^xD>W*_{$$mh??fh%FdKOLW+U79JUDQtGqd7N8l8{JeDf4!S|HI;CoB=#~C_3o>X z7w!~hQA3Qt{XcWF?DET$N<*$-o+;+m#9dO`MuWRm>9QXnK_3D!rj}HO#Cgp`^`nv= zTYm#8hkX{8fdt!2eUZVaj>(XpaxOyF@(r2I`JeUB_PiFtsi+OyNuL267qLx9gF^{R zk+=aleF<}k_(V+(oYP5q9n_E;WauQZC+TN-Ea_(z#!@NTQ_3p@L*PNZuk7_8ek0a7 zA%yF832A09d z@k!;2iN73X>9&_k#k|i&M=;Nnz04AyIQrx&pL~iByreAf4j$Cp!ON>=1_-=_)av6P zc(J6}KJHZeyuKeQnf6jfD0j{U#d%|5l1dzH5*CM?KJi4_!bR426k;53Q#ZhZUgf-?RW^;oY+Z?VS$zzy*%~oMYk3 z&Z+{XE*+SN(VwoYXAW+Z&q!yr(ym|B!57N3w#2_acak>3ogz5;!e9pL)BW0?-#GAF zwITMfgE2o6am!&kx_lL}usNd&+ z9>L|&pdV%hgGyV3yRC7Gw?wUc)`FIAZlHcv?}n=rr1WGVUdhyY1|w;D96@Fq#Ozho zTYw9sA%05cPREUm{kQIe=AnVbWq>zs0V(~n#)!cV<9w>1u7AG&!UO8XtVfI(Kyy-+ z>nXWEreUS1V>7#-jTK2s_U3wB28~NH1I$o&B8N9wTT~N7i?08~pYi-uPhC(p_qXz( zdHxZTlIe|D^ed0EXvK|klVx3d7LtYMK?<)SA>1F_BXonoYd9!mg50Gmo!x**8g8o7 z_T~s;-edf}K{{-+T?mkIQ~`+ma3>2_w8xH6n4AE=4+9))P|~vSA6^{ZvNVB3L^3yz z#G+7%J&HCobfVE{UavaM6jQuLaMOG28seRRN&tm?ejWo2lSv80!G#-Havj^?gK?38 z@k_#n05FD9;HdS)F&s>{i)+@c6`4*PA z+}$54Msq)^N=Hp=>(j!&keRDiAY54zNa&{s(E|Sk zM1r9)Vo-TkeV#Xh;taySPV5E^n^6XfICy;+UP8H3d9jvOcGR2wG6myLVFlXK|L#D9FDL(yzF zSkC&%n$T=o+*f~ffx0bM&)LnO_3!mLc0i0lBUyYg;@sGdgqd>gN$s!1EY&~148Jmi z8-FqN3DN>AwqAM1VTwwGnkGvs#n~;gBE5yQ|HUcWt1-m(_IweswIf?GbIsj^>nmu4@8DHYwPow4{Aivg7bJwM%cF zei?_+lp(2n3q>$0*l5~RVXL@oEwHi;H%PY${BEad-mUhYAG?fabmu^Uty#sQMKF}-8t^QC^BOR2Gcp|Fu ziL*}Vh1KE{n9Ofl!lRYFpCS~^zdn%<)aU8o)M0893*LhIKKm^2K3gIIgd=rV_$Wfj z(wqramFcnuua)94YEH^nw&9F+eV+EO&m(|3HoyLiaK*GTv@lBydQKc+WaCk)u3)2U<0-?0o!h$xSM*tG4{0vCJlFn)ZM5jFRHNBz zsRQ^0LJ>bgit4o7EcO&^AYg)`xCBv$R<^`8tVy;=>$gY~%eaPX!1(X0$35A$KXuHM zam^oCQe>*qOrNb5`_`ZJ(+>3neG`(drizG&;gR~X0NJ!hoHrd8@PTCL0d@5hH5V^% zwYkxK3@(OKNG56(8H{>qqD-e}NyQ$ykIRB&?dR5L4WB&Hjh72-h@L^Ie)VsyuJ7VacwI(Cd1Bi#2!YW+Uj$E zM?U`TI=}PkcH@CdjA`)T9LKqoFwA`u1aA#^TZz-%#W~eo`NUw>nc$ z;cd48H$U1~$1@vBH(Z0?eOKH|{Qs(Z^M9z{?|(dF-^bW@1}Xba_GM`7lI$VIz7CN! zCRxTl$-X7~Guzl@X=E@mN|Zfht&lYm@qP4qfBuPYw_9_oewZGv$90|Socp=o@8=*` zT9YT?Kz7RiEW2$D?eK>=;?>86^otmY(tHZGMYll_zrb%5`y0Adh30==JQQbRhthyQ zKL|9Ar*ZsmuB#1n`V?1%!I60N_|yKZk`={fGR+Gg2{mk4U_IpPYAx#v3|GK~!_cP6 z=IhwJVGom?ue3W#B@oqUz{=i1q^#JVm=TXP)>VJ<4Z%wbP)r{j5dU_K>_G)%^Y}CH{d6Mo{rpg zCCFIibarVbN$g`2?+QsI=MEor3KBiqjKjE;w!1)Lsp!;aFQ{UpfDG~QT|@%2zQs6d>w z9hRm=3yF_a^$-&LJ_D0xl=3`7!hlLivRt8*9x2$$YDZQ|i9#7aNEC6p=KZmdRt%|- zt}~iptnP~VNwme>jd-5TIp#WEqrH;(OZj;e8mD1>_dA~iQp{bjQvlKw-<$gjY^wt~ zhuFMxv31SH-_yPacf6mSFVaYj_VtEvqaWS5FO1ZXMxVvrP-H=$zQR)q9O%G_yT^j? zXbzBkG5&hG-Rd+H3&JeKb-)oq2X3Dj(2D`Nziu)qTfW10pZGNV^#oG1uLJO}Mb?p-(Pur` zwq#4@>Gy%y&!lp1HP@@g!4MJ!#4Tu$K#R0&4OSYfCrrVF)`Lo~SLJZj;_v4cC$ufv z`$jc@I!nUhURR_CD7tI?+-qxFRF5AQeY($KCmgmf%t7WvhWfDXyi#grV0zq6*Ld`- zsi#u8xtS!~&*Ixhk2S3upM$wJO1?7%Ib`#Y@wH-%Itv?DKj3T^cCNjXfd}c??mv^n zw3$|0ejJX=lfXhjYAWgULxQasm14YyNxk-FlD@}8B2ZQfv<#w&USgfj@J#JZutZB$ zMcI3?V6XaKx*45k-Gno>Z4tt61}2%7Ndj)v*#A8_{opro)6 zUb>ww5bTz`NM^Xm0#z;v$||fQj0*0vqq!(?~yytm-{2px~E7(I6=XqJSs>m{yi;!5>EP? zvqYd`@DVxF1oh~XAAaF+w-(*A`;$o3m>-guls~(Ja)9m649VpfDe{$Auke-P44lMU zq?-YJYKl=gsW!caOkp6jii0-Iip`Zg0}ixCz3WKPb}qD)znJIRKT9+Z8Ko&~cBtyR z!nZ|R4sRF}<l{p+%`dl`rA|5Cmf78`A zNM<6=t0o=qRn>rpuQlW0t`iVo2Ne(Z6a1_B84Za*2_jxy#UQ*nXjcAkvtyo}Gnt^2 z6H%|ukCuSyxth5fZq^dPvu~je>gBt#n`Yqf^R+XUaON82Fc8T3M7Hx30j>LRU;9zo z(74$;4{K!Q_gO|hf7u-1H~IeLlWj@KuAhRFVlDUAFyG1f`cOvgPrgZDtJ-gKQ_&mg z{8%-uvA_&xlNQQ!nckd#J~ey2#k;PmA>h6CIvZQtw4`8&ak8KH&@2{+p$-#Ho$W9B z67e3k#8U8YuU> z7eh+-M*Ky(msHPc}Z9B;Uv0*`ztka7e2#CuPo)Gi|f|X#?!j1BDP{t&J zP?(;p3=K3hk?;&3=itN1yxo;QWh+cEX&L3MuITlusvRKfx9HFRC?I)8XpN~Sx-bMa z{JJ@1ZyZHm&RaZjf(PULl`?Z8D7c}m#6?%`t}mNyCyd57!3Ez{u2}rXYH&hIheYN1 z5LS#V`trGuZ4z&ydqKH){D_p*%h6diks@=EK^D?Vy77wo zHr3zDmo?+Ep-3j#E-i!q+4lRAsvhEiI=YUn#!4f#a`MS3B!b)lDy#>91hR2_YJo5U z6-je;IQ#Hmk1U^(;XfYUEn^;^x)6*l>_jA2fk8N6E43bS4y9ZJGFVTi;GTN<*-eY* ztenOI(2-Gz{jWE3e;fXgxe_LO>~!TC@#-sg_-2tv`Uo{G%-VcDP85SP9oBY%-!Mt6 zrE#8K;2%#YCi^Mt(>IfHdwuBF?dG)`^IlL^CV|GGQFYD+1sAlW^`^(&dw|@%5Fi}r zxq8=$pi$QWOpK4YCL^^0FOna|Cf+I?1h}BgwS9W*+W-=(OH~@L!3FBB1dItvR{#gz zU~|%|Nzxq(&HE*+bhFobWN;BkZNz;bMPY>^OUc$;+N(bB)fXj8KZF~{oAHxodob|^ zKy;dppSR5XQsd@&4ImgOK`5b=kPu^_^)_kAZ=4fuAP}r301@}7=V9XXZ)di1@2Kd4ce#&Am8k?-(W*)HAba+?P| zB1_a2;mYhkqOue;GNcGp8gP1~9gumOD+6AJtC&u(REHmV9|y@-`VLZCb$x}EQ!z7j z-+-~9cv1Kv0j!J22~6re!~xTQcjD4o-`BS;P{bH(BW|lX>8?1=`vlY(C&uAb&6Ggq z5^*>Vy+;p-UvDtYqUj<8s|9m1-&i*3?BtsHK3cc74FD(0CyLd1n?>V+k+c3-lZbZ0_Q1jVC8Jni~8aOSdnB` zvCg@=56?zOk)k=pTi!xbiO`OWA`Og4P7Is8r|gNQ&VrdnO)R$e^L{A!6MvwdQL1r7 z&Zhz9z{Sn&u97lFGCp#YsP25+GjFPn1NSnx2p5C7cu?mZUqK02<~}%#E`dA4#@2Nr z8AVjWaGP79G%z2n<$=|}LEUa!5UY_#-ogDyB!&YHER4>pf~>GyO5p(ia9bH@o;FvW z*LDSj7QTL>i6W@a-GhwsP(Y7VIP+4KN-VTd<6Dm#2p8SXI?wXSofy1h&?K=8wwknl zFsT{e91MrIBcIi`K?qRBEUQxW^4;tu0R_h4TviPJqd>oE#m6h@tw>riLuTHA^g14> z11Yzh!~p}mm-!|SCOj=Cyvz_-TL(;$P&%j3fgqd?qwgw{^8lTx>o}ap0lb0ao%;b= zMJPf@zV>1C+F*6GvqRTm`ddn#_^<+6q`5B z>6Mv8ZYJ$#W)g=R3}#cAEMyOSi&itcgXXrouI)q)IM1jG0OI841abVagg%OINbe)UKHNUMf5OO2rG;gZIQ+T z@j`03h+4QY-^^7Qo6|)xj5jd_qDKcL{&iMYsVI_E^nlNBb=ca~AGq5XEkank6RKs6 z0kM2GMZ);%YH4IT{lV4WMSudCN}z{IFljC){uervyEXwA@B;r_!u=0Jac z&@-j(d11BLC-6W zUfD{28H%)f^@Of^UG@h8tpo4;Ziv;<6*d#I1*AyJKfaS6!VEu=Zefm8)xf*#`~^?` zF3%#OCK&Y))v%(u6w$Vv*SyTRXG{+?$rx^Uf5*9g7zyFeGe^Z5xcB^Ce#>N$qTivt zI(a`&#|3EkghNb(4UF%by(x&-S6U{L07#vp6-FOek9VBgbu_TXAHqvyD7*D>_^M=9 zcC^t)93nBnvc0S1~+IKfIADDcL??0x{Xi z_&zo;4aiWOU8l?({>4{sKM{sbpxLC9-rWHFW!^_fHV#(~>yQk!LQoN*AwXL|zGM6Z zrqs~RG&^D>sqLckY_2*aYog;zN04fdY};hVHIQeMDzot4XlJ6#Iy-?#&-on?h)NRHYbLpTNrdL?rXUwjew*0Gd)-K6K&>*8Ez`g_(<<4`nr{cHkUban9U~EV5pVfg|+D`;=WD&H(k$>#hUCfc*!<5DW(ulGWtd7 z_gthMSmhV@p52PnppE56ii+<8kri~mI2~-O?<(E_84w2?Y9h}3M21)Wat@Y`XgBCfd$?K}2n$euC( zzHRMNO4SN+sK@scQ1~id9iV#2<3>%viOaT}@Lo2Myus>!&;yG9C@^ax(@1RFR4E>; zA|^|_=tY;Ao=!03$m#kX&N^q9b^sKB$;7&P==ndFs)9i%zwEA}y_2}K^j%o#cjxyy z9#y|Sfv9?U+&nM*D9s+-4k}|4_jNE|>U&DeKjQSlM1!azVPJ5u#a>K;VK ze?Q76yZo^oSQ|4vslD=t1h93Ph(iJ1Vf36rK}-~eJa1DL5$bq%0omcL=rqMF+o@U8 zfSVFX+Uwvm!Rjh=E5yY7evmI4P(&m`o|uKV|H?v3QRo6C>;AWBnhTPgpTt8c3$%`C zD%05=ssLdIgjB)-vaZn>gw_YN#kQi|K-Ojl(C)3@;dB4a&(XwK>$xT`2BsVJvfcFS z59{DERu3W-UV=U?4Q(^L(^(P8 zdi0cXz5O?Igy2Y)m#Xc7Q4tGSL&{Y+umG?59-@elHAl3FO2%nk$M8QP2-?euwPfD{ z&sQR~sYxIXFb@e4bi>5;g4C5q1+l2J=I2QSBAKq1*i(0@1Z;>m3P|MaT!rO~9XooU zQ0bcBtb*(=bs?Y=z|o8s3ugWM)9Z4{i>+G~)+o5l-LT9{kKQ=15Dexua}&oV`}OP1 zrx2F~cVT>PumD$mwu1BtsGL`Zl~U_xiI#VMsEG!F)+$BPI$pR@u3f*meL}z(T+YD? zvDXo1lJZGR$xAUp%U=_D?_Y!&7?VldD0wSEp0_ZJI^QZWlBxD=CVhJpKrgTlrc#GM zpCqQ`%nYLaH+~K5cGIXku1iY%KCEWuSha__(9!~TZ!Ml9y9S;Hle!LxQgB1lTdyQ# z4KvPFx#(w9%SuH-wdy${Dr)gisnmMVTF2YpF^~5jXp;X#Tput}jRsCuW|%#YlGJ74 zwWqpFit+IE;G2*p7PPoMn#9=AuAi(_#Hq&lvJtSld4+$`QH_Py1MLI4MfL$bgs5zm zbUY>W-)9nGGj*i_Z-BteLNMJq1izk?8)5 zs*4Ts!V3wnluD9@0}fD_YDb0F&`Kzam~|kbWR>2)k|t|TMl4r5$nUPQybUV7*C^&X z6sfb`4yqA8_|3DS7!FF>C+mQyMeI&qmnAdc+A;+!;nqTz*imlJX5l=BU!Mzi+^mO0 z0roN!UNsH4XZRQpTD%Sq;No~QSE?PLENj3onvKByVAkl5)~)zSOJ4`xWWPxjeE?~d z0Cp24W~wGQjz9<7OzyJYtepTJe*6v2_;(RJ$XPRTxwxKU>Q7STPzcMuYWO#cTCcu( zwIQxFf!lf>U9L?@Hv@Eh*aM%se?fVZ2jsPLfEcG(D1J$L)kw}hkV)Xp;#5nL0dt`P z<0eeps3h}q?dN@phD~F#2;&phM_(l*QcpZGrykXDhpTZ(eprZ7#+*BB@}=bp(ZCSJiNr?eMTy zov*u_pTwH0Oxl7^+`nh6ME=EWI=3ot4553Op?aILbYpZ`!zS6t#OgJ{cIX=7Y(^rH zEt?o#;5}fX)W%}cBk6MSuC0)3h{``#%#yA_`v@K7HFe$*Z4 z-YpTAF&qSL5{z?pD1RB+x+Fb)t)=>!oe+y>F;1x*+h`VvT2MntinS2@M5cvL$UAH! zV(M{EuD2SyiU$XW4i*U=JNQ;rgEG!WR0!;fd($YC|^O^02hrqV>J~>^TMgW}S4e0)AkQ0_R?r4%4 zES!k0hZbGE!b29QrH-z0fDY4air?kPGr$>eJ5i#AP!FV0tpu@FPSI9EAu;Uj7;~W~ zcHAT^zYEzW-9eDl_Mp(U>y{iB-KjPmITYQ;4RNUToNtbxUYua{@_93(-XE$ynYmXB z|1z-0?k|&;qC2lrJRy~H_ols?5G9ITXSzH^T5du?%5R`ZjeJKqg{p#uZ5ER3*oFmM zAsJJ5s*tiw90KVDs|;*hDg`>UsnT+jw%5Dq7-_}ipV?)xbQtH_4un1~Ib-W0{owim z)tr_y2dn~9w=iT5&LgnqR@s8Fo$A_#21fUify4_5VNb@|KNk=8*|<0op-oTmuWIFB zN6G-MBuTV6C!FKyFR%Oz?G;Mjx{7RkOha@o1$4A$TNN}M=-b!sRc)H6W)4W(*# z?D9pB56s2lA@Jw{{65DALAsyZYFW^XuM|5npmKVBSvF~!y1QU3X^PGdS5xh~W41C< zFl05SR{$rYK93D>X18n zqp}g}|AQ1WDfq15lb>7|yFalBM=Q|W$N%V!Sp8`)%r|rJo5!Y|&ap}Tgf%VPDg-51uT}Av z%9!ZQGi1E+OajR8eCq^dAagi5U%;8wA1IO))AbRCK=IQI=s_!y5ft7M5TSH^pl6v% z0O#v)*#NLOhF}0RiZ}DIOx;SUehWTnm~9{E%-tVCIlvt;P0x{r(MOoNGuZ)^Wa}iJ z`Ss1UF~2+IBA<7N9g|NU)P}7J%~-Q${Eha0?dD7r$d;oulqE z&W=zf^C)l&f)tENwNFhTKAl9(=Os?rEG%-tG|zUJgv4sECGb#8NF zdwLw#E7%)4G$F@Mp3p7XNE%U~0J>TOjJTGgFK+(bVSht?Fy|PXznc%-X zta$FP`FDpFu*ygRJT2Tcjzss$Zp0pb-?N;)TD9SyTD}aknQm3*UyXcNlo@;8UBC6` z$hkkIerxL&M!mnmTq(Nq`hO4Y7{Ig+j0nmW5Tlk^v+Ef+huSl4$ zg$B~V06?GF4l#Z5dVng&4#Bp00Y5{?E<7bu1l4GLQP|w^Seg zfCPMaF-cGF&gD)}GIvyP77jc8x$OPB?Q>U*cCzYj(#IyPKUN)Ql3`Se3k)@K>GC-` zEkvHqPrD{kPO)|Y;tL2F0wi4RakNx!$h()jRvkB|6?s={r#)2q&M%W%#+~2%DdY+* zgKreN-|gPiqwiXb`4)}obpb`m&t-(y8Eb#L*7l`;0&F)tV&*ekiPak(x#XCmX=qT) z%(PoiCN5gqtRS(KNFRXU@#=(<6C4r8$^Y+k*{x?0xm^(yS+^t&i=XFsVv( z04RdtPh(OnJzQhpjbHQVtP9?HK1d}NbXpQ3a}kc&a@BADkmF3cS4p<3`TLjdN?I8k zDhtW-t1fV5fi!}W`a4;!VLh??SbLo0Si1rB_7qvLyzdLuP$f! z*))BPOVvNUerrBt6~Y$?)<_?)&Ejd&jodP>eG+Z`pNhuh`-gZc< z?p&4!U6BLYKlO2wpCivw5d&a%vyEaA21`!J7@17~ zWJI_{6v>)1YZ8n?!8gvYw}^mm-P>%QQ2Lnm$wa^s-lFh{zdvDm%VuScQa5u=^wp5& zOjcXCWPoSFjKjA9drmD$M|RgZ=pBJHy+F5t`YsByl~N!V)e0xkAZU3Ge6aCVlM~*r zFilE*E+;g8_@L;))C^#?q>*`lcvr6$K3IP335wE(k&0G5f)pR0pKidx#ZYr7d3!=S zmYK@2Ly@1G!J{TZspouO#B3$R#)AjiY#r|UF4!u?_9Xv(Sgn)GKx%-rTxywg zS7H7KjaUmOcPmg>h+~c2oPmy_Z$kxCZ?z5jifFK2OWYg}&}Zme(3D6s8axb7cI@|a zd;5vIzhIhQ?!LX#s}J?0H#4W=214M5_UeJ980Gw#VfkMdg|w`VpRa24e=s~L_Kq{r z|Do+i&*$_zP=clxR~(Fnhv7ef^cM4^R&2I+3~-xh&Au^)I(27|0Ajtrz-5+CdM}{8~kY z_ob-R4MaAdCg3DTU}U9@NhQ}O^rF={pLKHfHm`s>H{9MKNAlA@iP$2_6m)NkzBaPA zLMSUuAIJ*1Avi_dqUj3AW25Wk@^<_4-|1`~iUpH10SG}cVXO{d;}DyqdAmm*;(ZV)5w=wY^3=7~e`-2J;D-BJU_w~JOGRZw zgRbBEVCu5iB)#uM<%p+|K-4gW-@v=0lE&m3a5Q73tvI-M+o!L9D|VL#IGiUZfQhMV zOaY^$@;JH)RJ2AobpR;XfX4>V_i{j!V)R|i){^n=te7q}V?g3iOJL<>Ef5KVrs9`o zfn-)4b8nNY@SWm45Ak4s9eo2iHH=2VHX5L-z36A1Uq$ok!jz1oZsqKT_tLlhd=Zhk z-X1wVTk|Zkww591v*5_P^e***krFEVZ;$s_8`Z#1uhL@Je8*j;*gy!D2l^yX|mN{8k-*z@BnMw%f#~^y4Gv zg4p@-XBowv*?&yuc;fs$>Q!&N$$UbqJ|qCSjR=sZpKQVN`P;ej3$+mK0iMi_?{Rou z?U7qzSW&t8ZObQ21zKeQtn>WAYsn|Lw4B*$S=jJzTi8$cT4C>A9>_lxt$yQt+1KgF zcBTj%SI(>pkl-?~C+%ON(wgCbU>2P~41@sY@fdFUgwB8EszZ~aR zA$CL~cNaor7*=n3O;;+ewWrF~%l7zwJ7=%i<1gT@y(ojF8>B4GOC(^WoQI&0zr2Bw zY{Dtd$Zb0|hv@DX3%^-AHKX~-W2GJs^?NK@zgWXb1aap+YAIJV_B%iTstQ}zGVRUV z^E&G%5{DAWzIQNcaT%?GjnZ=86lSu+HOV||0e%$9sMkVRYUD+g)CZSnqLqt4@Q_m) zD`zs0`-}Zm0FpKVXgtX)K{*6p7X^TB34}DH_|+=r+hxKi#6ox}zI!D!jv*Xuy~rh- z2bhaE*^+2}ezB&^?E9&GN%r$rjLrUU+z#Tn`}>h%{>;}fiFzzdr^!j zmBrO}ZYe&no3y8K4$D`#e9Qn6Wwp{F>;F4!UI(;pYd6-f2_tbANe{@d&k2 z@e+!mZN{Ft^UT*curY>d3jK>nvX@D9ieB^$8vAYk>JE+SpGFZ3f_FI81JAjB|C*f{ zZkp=%5Nb~5qT&|0=Oom)5p^$WVqm1ST7IkPi)drb;c+aBvTkvDu;9Cph)rZ~hT=lT zJ44Y3Nv5uL(ZCeEfr}6lw!(t$hPhCB-HA)EnwiQZAt^3WYW_bhA(jLqWq@T8GdBh_S~xT3t^ z{^bSrV$8eu`)jH7sOFPf4iD1X)cIYUD(J*zdT$*6<&p?eh@dx^rn_Ig6{YxR;*HG? z?CMo?5*05!>q{4h%vjI;qbnzDhEG_lc)+m~;GdB45?5L*>Hyf`Kt6a;^V3RA@qiYKjoef`%rs-)X6w)5Y?V7moh z9ZTDh5w^A|1J^2f`)v#8hZ;Gkti8_wz_Mt#JMY`}nYF9Iz<4|#rc~!QJSwh$(TN?d zJ`|JAiAOXFHgt3>$bKjOrXJ6qR`YsO0r#mXAI9Bl^SFxmo4V2P+H{U7^1|Y+9JF3D z7Bk&@y>syG_Qni7>ipuV=R>{ZHk00FhPE$h{%;1i70W}5u4zz{?WY~bhjMD*S*n&+ zY!}l)|30KEe@mag6PI`=QEZUsM8*nZz^2)#UYugjl}Y6#C-=5CuA2CbCFQ}F(}VMk z)(?mFC>(Q0)@(Jvi#7wy-f{fQ=b$aSf8$MdQi;0{ISuT8G!wqc$^{t~_YfNU*f2J) z0aoJsRw7dOh@%h=O94p$f ztcz$#eKYb(0VX8`aAfTTLT=F_q?UPS6+9vnMSBq~#w!Keabm^9!uR(ivtDxn1{6&% ze>};FR7AK%V`nT(2U60<#GX~I{X?@7r&4Ew)rynp$Y!2Z$X*3JE+=@}Pi z<~N$>_Gh6XwDhQoNx3sjE;>8cP&7a_qQEL*obv&ggW8v%?<5`sUkyj;9ok2u6hrsy zTo-fq$S%vJgH!?5#cDF{Ccr3R5bl8L*^6RVg-<-|O@T6Q5Sj8M3=a+Hww#W%M;x1Ffnfi|HBvm?_D$EGNow7+b|LtYE z-O4o~>?GdR{p0~EhDK~Z%BqDmRn6%R#=*WGk0Soe%8mzE^yhi^JldvD_Ok)ecECt8 zE^HL~;b|`&EO*)-nN<4REJQ#CD7fh+obs5$qt*E#;`iCLT_@)N>?tapK~7yCDw< zM0##2tXqtG3=tpV(y=#olrvV z=DmxyBc~AI5SOh%a+|pp4PUymaz1tN8LTKK(8O}`-+e6vOcn{|9Jnq==An>d%H`|e z@8E0d!DN?hhoHz&$>9yxYb8Pzmew`H2W|B2sY_WttCag2x!LiKT}$Rk%K1`36DIuX zblrUA{aOcECga7Hd)X_(k3NR)D#wb4z>yyZz1bcs;+rz4@qDoYGs}KUGHe zx%)7`{#q%{XT?pl^-xT4|L(l02bQ48R3{iD0biXEX2)MX9=|+e?-D7?9d+It%xAQq zf+H?pJUzRVO30o)7f2Xrn;t;qJ(?52PI~;8Li7&}I=r2)?Ydy!!`7phMKo{)##gjW z>&TtgIa2(iv+V-X$5}*&ZV$rD)YH42)6`4oA%}Q-{FLeByzvfIamx4F#VFZ^`J>8z zH%-Z~KaCcpfpEIIbM8HvrZGCvCo@IyIOMZU6M+CeGJ`Q5a}s>};ij=ms%VomQV4)9 zMFGl#FE#|j0g5#zyKKMY3~91Lg*@XhrXuDIf?nax9Gy2+(Ebj)Wdp35MaJ5`_d&Z4 ztyXWtT!mVU5&jJ^m~>)wAJEFxMqEQlZoH0?GcFpp#jx&;`{THs+}ZxffOU~CkK19D zmfd=J=oLr$q)pMQ!T1K{%ym9Xrn=&LiTKaOV+w-YvIw%#l?<2YtE8OFH!cL!88 z@1TYDBR+dm4Zo#>nHj@8(h~0O!=xa_#YB^097!ESJe||ogWL^4*%;g8@diXioXq$I zObP+o3N*uj)fGQ{F$D{a%KOqaOKK?LEwL&Gp1*$rMt^hynv6za`P311u8h3m#$s;8 zeiMM^kp4P`-n}3|qIDpd$HfCn&l+i8KaqMc?5SQCb)+)SZJhdvBu5WMZeFGPA)!sK z4D^VjRWLkyK)q?==+o9uTJD{$Yfg{K_hxp^1FQ(Py5EUwD>t&_d7;w6<0SHI?@<>7 z-zg5VY)7Q_?DK=x>gHrRZ=uTf*0)h@cO0R5D_k*0l0j&;i_w}JS$TlT&YG)^ewh69 z6H`};$=6jzX~GP{BPLnH)g?-6ZXt7euxW)8(H_TCdNk%;rfczzMZwvE5;^O9`?L~} zFxJl+N*mwGo$Ht@oY>GP7gqt1h$Y4e2dMLsTgnQKuHIaZA!%65(Lya`&VwVPuOe@)9A%}TPui{(Pby}0s%Y%v;+ zT-?O^P;J9xqWsLo7bgP`a(|_}MhIY*nc4be7)4KrHm9Mxo?WV`rwfAN#s_T)A%$;P zFx1wHPB?VPHhPp@Z~Zt(H+N4p(|Sks)jy2q{Lc2`n(>HBS@x;=myoR)rid7jQzs1% z#`?yKHj~Pd$Jz%&?uXZ<)Ze^U|gf6BwCm0<73YRhqbD;?m(du(z9BXdD`YC5QQ zkI6tg%IjCg{BI;ZXX$pkv79b@lRfpF^8m>KOKyW-&0L%7?Mt!%*FZgp@mI}8^Bro5`{630hXR4g+N;oR2*!r&#NNx8Pqa4$5c^lQh(Oy+ z-5lRH;Q)vJDAkisArIHl+z;1Bx4wDxM`#l7eh(L9519NILMP=GA<;>vyMDtH-LOw|x$QWKY;IPBq{Q+6JGnzpgMEf_x zKaU;JI|CPj$_~N{IkS?HnnR?wcp1Hm3(Jjy7 zt^oC7c2`8>nD#mtg)3Lc?NF80c5Qoq3nCt*ZR=W9ZVvOv<;Z*EpuwbalPx@l>GRv* zVZpbqR80DbtgVxPxs=>%O-jd9UZdrQ+Gd?;VDS)!!%a%9gb=7yfyQKJ0cSF|ktbE! z#-mrKMr39w_Kf#$x>Bs2XHbNCl*rLqg=B3#Q9YAu#Eb?B8;V0%bbmh}GH5y$V{thR{f z%CVCM08)of84EwOUnLtyXZ4D$S?jPegK@qzD%;$Ry@QvI2T*(S%6IY0j79XI#kjXmpa!$*%x zsV7{Bt+Kq6wcI1u++9j_XnD;w z9zdj;DEUE^p*~_schJbQo_jr_AW?lu3d!=@0xm4h?;+7YyNf#t`93SxJz*Jczal*h zpm?-qzkMxN8T`AQzt0$$vat~hz1)``*t>kSf39UYg-T6((O(|{R!Zq-%@*_0d3QyE zG-qiXaoc>j=E2&1De&jy-R?(EKb@&aV*8ByDOVxfyi;J?()0t=wahwP7T7PsuG;H@l0^DrK_l>DQGipmcMp)pWaKC@->mq-$`eU7s|M%QS%Y60O2i3P2 zb~EowX4wokk$gQs!n_2bEw@!Lf>?7auQO{f>m20ST(&*l1Jefsn0q2(52@h9aLXFg z@4Z>jha5-g(6F;*=KmY9Ap`u_AuNErC&;112Kcicy1sJ`eZ&06L~LPmwh7WwO+c2J zN$t~WP70d&TT8C02an9-g6$p8E5^@~nQU%i#tL7h?@LpI@Srh)D}SP9Ju_r-!jAhcPz zNPwD`*c+@uwW=!6s6Uk-dxHAW=XLP<@A0_u@{b7JE7f0lZyxJ2v+rh=uyt-orT;}_ z^j&@st{G8s9ft6_Ui;r-Bs@>2;t@23QkLbnK+c0`9MlU+a2U?*S(uVH&$)Y)6W7tB z6b*}Z%5jHou8gG6+cSu{PqTN zVGG^0l}q`53ozUd?gC){Bdif8H!u@#kU#494myN`n;lt8pyzN#sMiGmArOWV!gvV*F=Y=<-dVyLkDZ{l%7aKtZ0rs>#r{YfbXZ4f!?GyPiW=IsfnI zK|rSoIKcif<-GSH3!5$4a3hNd4a%Q|dB9d~oHS>%&M|Wt@?6jAmYF^}n_sS*Eto&% zG*=Gz8`uALVc9DCD*D$i<>kpUPv^?(8lsb@zU~BSi2=hKSM%TgH#XH4HDy$PxM>Iw z5%w~10+gr?Iw>~J(aXLcecw>;O1$^G^dFwLcYX_u?RhnSu_s-s_$H&oxasTBcb$v= z?zJpN6MXN-t9!D0xXPb(0@ulYlA`|Ayfi#XT4of2Xd$@@R=Nycz!?*Z9b%s2Rqo)x zOr@t!J!b0TWp5?U<}RG=S$#Lte-&EAXD9z{abxTIcGH_X>6dHU=CPNwCDA|Zey9Yg zvSu%T*XA4?qrM)@^(~hF|Gnnks}pTgDo5r+n((`_*6ZM`=@D}TB|g**k-Tkz($jWI zHFcvTqX?*;UlqlYuG$MU7B#TRXbvk~{9b-Fo!W0x$9ylKP>0rf_a*oUgv)=RCiO?#062oUa=H*<5&1#`5<2<=oz5^T4Zh&xgN1>2s;NiyW{sMt2%9 zs{g#Eep_8s^Yh*JbC-MR|GNj|K&Mi1IDy-!3dn6hlg1++RG2BgX#)^kI}w<0$^mE1 z{k|VD>)=nPGER-t!7`y-DmlaBPR6e~`O4RTAsu5g&M)(15;yUW*8pQ*?!Z3Lyudeq zuHSzhR+LfN4-;4Bf1BY#AIc$<^IseB<(|#1)alshhYxo1>##-e|IPzV%jLqU?{Oq^ z);09q??N0{(t^Qbd2J81uN%xcb0nC-?E8_k)N(b^4>1cqa2^9jHJ!~*v5OuHKW?ag zb$?KR+6trQ{pxzc01$Uwl>^>K0W+#D}pp z!8Vl<=7f}G=0_sxRx9sO{CT3E1pIZ?|L<_V$;GXd2{x0zrH<^A2^`as&Xg5qeN4AR zQ76@s(!3eZmiSva;EB%vZl-eo3@RQGu$}#mg|GhsYy@@HMJO=^uP5tVp3tFqSJK)HlULG3D;`m(-8uA zX5301JVOF(j#~Ttnf*Yo7W|a)pM0Py_NLBEVlne z)tp#V2u7s=*N+!#&ITs;ie#{I;Hh^Ei>WT0|8LIIFYR$BaF;0APijL+B;@qTi!|xr zvE$JXJ;gh@Nq&e~|bf9Sh3MP{E@1uAtqCcY(dMZ3&C*tO(r)q$7) zi?jk8S5MmlpORIQVDPMO!(lf&*)DcJ&RfK4^qCjq7qTy zNS4cz!89up^bgrCCd&{$=%d-OR51aD+pY1h=rz+t+bo9}isV>X{{QjgD*cs3`4xXL XJ$(7glp66G@XJu&4A!XY^5p*mYb8n| diff --git a/MediaBrowser.Dlna/Images/logo48.jpg b/MediaBrowser.Dlna/Images/logo48.jpg index 52b98535413b4a3fb9f188d336163011d0412458..00045065b4d90077821d67843ad345e015d4163a 100644 GIT binary patch literal 2099 zcmb7EcU03^8vP}|Gy(z%p{Ni-kRqZ9ks^q6&@fD-4=_e1Ac#RqU~GWWY!FV64iXt5 zNE0=YCZHoABN&WGvLy1VD>pL^eV-+AwRuiW?U`R>NZ#w$S4*@@}| zKp+4Bkv3ps9IywVkWFkx=q6y`W`x6FAPfOVAij5`3<`miK_U<+S(FTV6Vj2KELv`J zvU$jltxz}!!qG?s^81qiD{Qm@7!*JT$RGp*Krs*y1KDT?wgCVX++_P-pkx3z5`=B$ zAb>RWKS=}HD z=NP)TzxlC+^^V)#K8i>a<0&Kjg|7L}&09`OSs6?3L;%vygQLJ7q#;lc21g)K7$ZPN z%NC1sS5#6a-X~D(7y&Fno3UGzlrKv942U%_J;c20b~`;RcQjkgiEq9DP~0|^{y5bUbq*+%n8MO zUlCV&&BctaxRTO%W;`OoI4$C@(T8+@czLIfaMnk6imh_DWj($fsuNj%V{M0Kb6fWx zbs@=LTvVww0lT2{s#p)!tMA21@b*sp)~{EE)RsfpK^`SH}DOvDs)pwB1Qb~$zy zU2`yugCLfgK848deN<$y?ngN6QCXGzt#H;PWbi@&nXu5*x}3Fi=KZ7Gp5Ge#9@hB< ziQ|cD(S}PiIj|1TY3+)u>FUk=KNH!FszJ2&>pb(buY+gnY^QA^fUjAr?HZjCgWD9g zX1_kbtUkx~J~Eq5X>Z~ViRXd+hpY#j6&&LOLn68-T-v&S(c#*R1aJj${kA`g%&u?9k!Wd7s+F(-Ef_UHikFKOa+P9C7$?81+MfdeD zN#wrLunN?F1a65NI)L}Ab?_25$i7Z=lb9kY&0r2LmOZT}naJ`#ytku(2SG)LH z4sR(E4MWCr&~4Dg^4M`Azaa9m&g5dMf+XFo-|MGhQ5r##YCkc_`!Zq?aiU5bJ|wQ& zf0Ba5+Gy`8k&^XVnj@+gEM!-;yOu;&d zwb8sYBzi5FmXL2uL51>HvK5*eM*4J}7<;u5w}x1zeZp5>|V%);kuqpBfYR-V^QmU@#PNQSBhvrlKZz zqzJpiZUKNSNDIyo13;iKI1~>5k4;Dm4uByra4jR-RxCqN2}f}!5Tg=HSlT}k> zl}V;=j>TMcMuD!8up|_79e=}d%gq<2otb8qsIoaz!Rd$PQD>P}^bYNJ)k|C7>ZO&e z4~qf-E6LkLxU91+vE|)q)8Xe&db^s`!@OO)F|~}G(mB1<@-5?Di9l>Dhmq%Z{^m^Z zd-Ei-R1Pl`87d4lqb1KwENZ>Ik$;M|?{>u->f}zUx$jDd2|1zk(=P3=8rrHQn!%Do z_~Iptb9WIQd5@-^fK5>DiA+=j>=B@z^&|6 z5a}1!s+VuW9@OKrkG^Bp_hm}b^;k;^ZWFPpL$s0)HqS^e!uAosqUwLd$`gvIhumPG z;MGhVo+W3wTvI%pZI{@o9T|{wzOTXR7t5GJZwL@ruAcr(@kx)1vBn8H)gsB1xF@!_ zYL`wK|LA^srPZP~{JGIQ&-p4HhuN$~qvMB!o?*voC<&!GB>QzvzaQT}aF3|Z?}E~U zuXx5&Zcy8J%1+k_Op;Yb$V9Z~vkZfq-ebLF6GG8JmTK4|bC*KTUgvS&wGMZgSD&p^ zPR>?es>bL0INRk_T92$v*TpwU{L1AsmNM==XMIZ0Eq~MaE8ChvWgi_5PkqT<$1Q!^ z5hMRblTlFSDXK&}Uq%^u2$;J)EgOvn$L`zeos8uDZTaMV{t3q`_buc*l6$$Dve+D} z*ETfXi!ckUQ*;qBdV#J|<5kA)ez*8dKL-DF_qbDdxv|T0{V*ib0(%f_ysXCb&8{7Y NaYq2#AyXTp{{qW9XLbMp literal 2997 zcmbu9cT|(f8iywkq{-5aAP|&AN)S|F>Ev31QiP=ll28^|wwXlHzRmeo{}@D!j5T(}d1=R+8k-yM+XvtYaAoQ3~t@ zd&LpEfS4jeToD2H0JLcL5`V`2hO? zU}0%xedsXG;mA=(Cr_{A-aaRM@gXNqg@%O_PshZ@#U~^tUATNDJtH$Kn{xd|L1EF& zTR#_-U z%bz~4e1TTiHn|W${I4VXlkC5^6h&NONTfJYa+3=omaqw~h?Lm5Z;R3acgdh={|1)!f06wK_8%@L*eZ??U7oliz=Dmn z+}bLP%2|hAUq^4xgh;g$8VUz)Xs1bOFUjMvbTihP)Cm|&`!ism(X>1Qq50k)IjGe3 z(?uuh^J-!rSW@wfrNzkgrxwJ1M^6y@Dg`$3{;rZS5>68i_D?SLE5$ zk96u(ZM3zUQ3*Xxqb0*&>NI4R|1YYi93l6V`lpk3@rvw*V>s7Hg;Gq3?bCA%qZw|+ zr_=9eF+F}Gv3K#MG6o(skM8P~yv{U>FA3Sc|pJON}GQE9Dr9Rxd)!wR<)Z0;ZrSk5RMEq!6M&(wSB?py}B3>(H4vWCXcI z(|+kIiv69Zl|vEg+I(=dxm`uLI}E&=y-H3Od>Cq+dm3jdv7;@v&iP^)x8jYP8g%p4 z>uSTXJE(MZl~rAQ)5?O@=>k3P5>+b)OXG-`;cCsI`*`Z_y!{l2q?x&4&!qp5(iv-GaSu?u}%!B^bIi!~E2j{}2CSXyq?UV^@RV0wT*O^KeN#1q$N2-@~;lqF{v6?V*hTBUAs*}cv0Y3{PI9t zAkDERHT1#qT3!Zrx-#%yN()4u?Y2@+bPL>j@ zvla#tnt~m2=pOYQers>D$m{k`eD$medyR13XLHSoee`LHd4k7i5qFw~Eu%5$ZP>;4?FbfU>WI))?H3H9N{sI-@OSE_M~K)DBh z_GT{0tF1blHt7U|ZYDW<(cG7`r_4>W__T!&YBX5>{h`CZL4_LO=qD-GNMIi&{gJbT z9fv_4^hJ15SVIb{g#tIE4MfjH*gi}(`IK`I1~aWZw911Eh4feHZ-Y%V67!xfpKUCs z#4hg|H%jL0;Kb#hZ>VU94=kKrt(FhoYwXbz+=9CqjPdCm?VB+S!rou@bADfcwLXh# zI8ddPZjoIu8(?`MLZ;3TRkfaYNV9nM=M5BERb!6^<0EuIWiRcVnZb-mWS817*Nc=2 zWt=GKXK;aaHFfgJ?lY4XSx$8uR~xa@S*3iZ$G5W=Dup>ITGElBMM;OPzw{8oN&Ws6 zWJBh}(`Z7c);k;RG<|kxzdI~r{N{-ls+vnk)|q9g|YGAuM}m>CraRk66VNG*sQg)2F{~*i)Id=pCEQ zyPD-e)FWcO$tO!8V{(t1R=CABG@Z4s60%YVp*e(z#~H1ow&Gv)H=eN+?KS4tLadU# zm#8UQEpljf!KzU$fB4#8rOvgAp<8=tGV{9JXwZo`W!t5tYZ3oe@53OCsSoXbKEkP~5y}v~=aA z3|z+V-FV%+&ee9GTGlI@Bf76v=uzw!1gW6Cou}#@6T=1>x@6)aWT3~p@%0QbK%U>q z(-fQ!q^Kuc{(N=Pv&;HS0Dy>WgEMg#Lz!~c3r8!Uom&-j>7QEjF<^w> zhiS1``{lL&qbT&r)xhT3jA^d?NKK4oNC`>KHq7kCwTe3SlC_Lnmq&W7L-E_Q1aH<4 u7MGWex|v-J<=`nTY5|{;Yn&Li{b4_Du&H?Dypy|!@NLx)y@SGn$Nvp1PjONJ diff --git a/MediaBrowser.Dlna/Images/logo48.png b/MediaBrowser.Dlna/Images/logo48.png index 29d4a052891f7fd6861422e9e6fb88e894f89fb9..606b2ab80d20033f7fe96ef723c50d48b60d0e4e 100644 GIT binary patch literal 699 zcmeAS@N?(olHy`uVBq!ia0vp^1|ZDA3?vioaBc-sTLOGST!D1ZR&Sc3|Ns9xt+NW) z>bdLTcArfyZX4{r{{G^*(ecLn>u8PljBeAtdh38AL)cCDWpSR({6`?yU zSN2O)C2q5^os-FbEVqNTl$CvDLC0$WkB*j?^95u+3jB||q5Ao6*t2)q_LpXDPz&Gf z`|j*Ty$?4$`h%Xue=$DTsHpbgcg;l!9v)vdm*g*JYq~St=bwIg;rgdz^A9&vGUxC2y$ESYoo{V_4f1YXZ)DL|9!PjGcYz8 NJYD@<);T3K0RW;#OZfl* literal 3837 zcmVPx#1ZP1_K>z@;j|==^1poj532;bRa{vGf5&!@T5&_cPe*6Fc02*{fSaefwW^{L9 za%BKeVQFr3E>1;MAa*k@H7+qRNAp5A000hbNkl$hh!}iFUVRYkH}i3jLM!AT$Z&?8{1?p9N%Qa zF|o-ueUjr;#^fgZ%*jnoIa9JO`O~tV#WS*g<+F0ZH4Ac)jmvWJEvuUoJ8sEEH!l5$ zbQ$XplZgI@rjY~Sh&l(eXd-41=CMPth#Q7Q{CS*6xB$zf5m+T(#L1LVoJ_q8Yrz<7 z(mp~s&SA?)pTMb%36KOFbEa@Q|0>*zuED!>7XB4;2&!2`Xu~r2O)FW_WvoAp!+ONV z;eFuX_rZkU50b+1$g?Cg@Q*SHB$FtSu_PJF1gugSmq>~bTq3c{By^cX#z!@N=R%N(glVQBeWYvVLc?&D-mKcQ6#gL znK+V(A0`or%!wo-nF*~)5hP_zGPc6Yl!b9PNIs&Ta5L~x_aM9u) z7tjl65$grEK|(w9g4&@U+yR4-P8fueSQrU~_mBw5M3PK2m0AqR#7bn$NyeNq!?I(+ zq)5mz`2vZIz(z0%yY$O&%pQkJ-XuJWuEMu`2E58y1l7(VtYM*5x{URQj-N=ZCS_aUM33KFXrQ%J17iliE%b{ffb*N|L4gOrBrNNt>jKy(9wra7cBn&&07%tP3+ z0AcF_GTIiA*|CJ|u4Ux)-b7*lEtH(Q4gWKgg^C#j)XY*D&HeEVXnWU-wY?j_$Znj% zUtj)+sKOykFF!za&n!fPOPH9yi=@iSxW4)jiItadh3++81J}O9gKxgW$c_8>?5mep`urKL(Y=SyzQ^$FeLQ;h8sjUEIRWP!YWDO|*k)6I z^sT-p_#?vlRy$=5 zxmJh|yH8s7EL@TrHUe#l}r6mI02{9 zDY#ZrX6mlPTQmn>D#Mt*6_iYTjv^vzU==~VD+r?3xa%79yNrfYsaV6g42<;ZOL+A4 zD;zvsjzcbIKyo-^KeCcm^ z)K^6pR&b9h;|cX=K*v0Ior_WyAhXvtN4(cI4-CPX^LR*gzTYk%B!*8(N+QEV$~cjO zZWY+;d3L~`pj{N?2j7?}M67Z&c~ z>ld#P**=Th;T4Ezhr4LNyRqP zG?GXsiA*S2W|IVoSm#2SL}H31P5S1SU$N7n7`q%x@CgkDbt=349+f!gL!+9emkv!T zeSRB^qdQ?5-vjf+K01o@!%}b-C#ipIsCR6$&f`?h2)eJ_MtbKgHTfvM{rtMMseyI)e1VGNm6@Bx22p48l5nfF{*>Vi+%8|HOTMBkfW4`6C>5c^4p~ zWDp@%HjIR_VHD!?J4xWLP&SIj7QF~49E+rD6t)_~kVG6wBw*X|B$7xW2@bnRVyMtSP_fP; ziEOBy$|Z?>>~<<5i4tgd(n$8HB8gh)1~))Iya`4TEij2Dk(hQ8>7a~|Od^p)LdiX_ zAYMpIsFp^mWeSyDN-y2-fsCR~pjc5i2#UJFh|O)mmye!dvvwflj|P!MFcfq{p`aIr zE&6=QL?jd`JKKz7u#HM?+wpkppmN(`mV~JMZtek0K$&_+*-A(v8I+Ao>^zl?UG}+9 zcPhX>*J5aRl;JQnx)!e*IzhCvhc>_c-yGFm{2=i+wlB5i9q$x zBK^)vuN@}z9+@pi{lr^!{K1IM65-pIuMv~mikQ4M#8O6L^E(h*(22N$F2ofQMcs%m z>Op*QFXBt+^jgx7gwnIvX8uW@49J4rL+_`%V|) zfLjR;d6m<#qY~OAq8n5Ty^wn7hc&>ElWBr6BeI#hKL74V?(-`L=3o@r1Vg@vveyV1 z1uZYJg0?s0wY(9TS&zrxJcpTkG6pWqA}*&9X{DX$8ommffNTtp&%>IRjh>O~5SDi% zp|Bn2#^!OtKNolIe#Je23G6VVte7WKX(e$Y%2om@sWhnBWKdsZVYdVAG0wEVxE4}2 zN+=s7;!C5KSBawmOr{3Mg6Z59!m?9OVs-BY%6qTVy*lna?7cGbn(lAqk9a^%(*q%? zm3T@5t!F2&a_1gKt}Np6wG}Mh`T`w8S8?;d?sM0r+h1aAW)-8;D_Eh|+J>fa|Eq7f z2QY!{$786`V@ZTc%shcIl0;>d0u>TbwH9KhZ3cFe$R5WW%0@muB&(QIu{_rPw)aU`=XEt&V-~>z}sYjyTi)<$mB_?u0DsnOvJ1HZ( zY-z)^r_Ita8~dDdvEL=1N~-`G?u9t$QG`RD#W?ImVsu>-C~TYL?rFHu>A*Fg3Anx& z*vu_hx@cOkyp|U&mdcB9)CUS|(HwrXXdbpO^a6-L@Tq@Ty!rVp?H}PZtsl*wpAa8^4)vN{lw(}~dBE`;TFBRr4D?*X4dqgg@^UjO)p z`}~~7i}>V}kfbStHUcK#@{6QoK1fLTkPUgQH9pA5lL$jWMk!RaD?H;A-{%}#|N}M39nJ&9TN!?*5KXW{`PN2ST#uf6i38D z$t)Jq{~518NT!)(M?u>ITaPllXixE`jnM~+$9%C(&!6C7n|>he_CeTg5RC1Hj1cTF z43%IM1|?%gxC9dk${hTUpx2K_(r{n{LV|P|>krCM1tIB~wG!h>i%lukBRnWlqvzC| zMMK{taYaHuW9lDhB&s^cvD-411_1wm$B0j-g77~sKqXi~B`E11Cc=6}n?xuR?tPS_ From 3635ad340a690c7daefa4eb0fbc0d34220933420 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sat, 11 Jul 2015 01:03:05 -0400 Subject: [PATCH 22/35] 3.0.5666.8 --- SharedVersion.cs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index db9f1d8503..482542af05 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.5")] +[assembly: AssemblyVersion("3.0.5666.8")] From 1e4a97557418b8da5ade3a9b0bdf4adfcb7e41d3 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sat, 11 Jul 2015 20:33:50 -0400 Subject: [PATCH 23/35] 3.0.5666.9 --- SharedVersion.cs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index 482542af05..7e3f785fe4 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.8")] +[assembly: AssemblyVersion("3.0.5666.9")] From 4c44315b30c410e2d38dd70d58b19baedee65029 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sun, 12 Jul 2015 01:38:44 -0400 Subject: [PATCH 24/35] update web components --- .../Api/PackageCreator.cs | 19 ++++++++++--------- .../MediaBrowser.WebDashboard.csproj | 4 +++- 2 files changed, 13 insertions(+), 10 deletions(-) diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index c50f98c33f..c7c3d9041b 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -68,14 +68,14 @@ namespace MediaBrowser.WebDashboard.Api } else if (IsFormat(path, "js")) { - if (path.IndexOf("thirdparty", StringComparison.OrdinalIgnoreCase) == -1) + if (path.IndexOf("thirdparty", StringComparison.OrdinalIgnoreCase) == -1 && path.IndexOf("bower_components", StringComparison.OrdinalIgnoreCase) == -1) { resourceStream = await ModifyJs(resourceStream, enableMinification).ConfigureAwait(false); } } else if (IsFormat(path, "css")) { - if (path.IndexOf("thirdparty", StringComparison.OrdinalIgnoreCase) == -1) + if (path.IndexOf("thirdparty", StringComparison.OrdinalIgnoreCase) == -1 && path.IndexOf("bower_components", StringComparison.OrdinalIgnoreCase) == -1) { resourceStream = await ModifyCss(resourceStream, enableMinification).ConfigureAwait(false); } @@ -269,11 +269,12 @@ namespace MediaBrowser.WebDashboard.Api html = _localization.LocalizeDocument(html, localizationCulture, GetLocalizationToken); - html = html.Replace("", "") - .Replace("", "
") - .Replace("", "
"); + html = html.Replace("", ""); } + html = html.Replace("", "
") + .Replace("", "
"); + if (enableMinification) { try @@ -439,6 +440,7 @@ namespace MediaBrowser.WebDashboard.Api var files = new List { + "bower_components/webcomponentsjs/webcomponents-lite.js" + versionString, "scripts/all.js" + versionString }; @@ -463,15 +465,14 @@ namespace MediaBrowser.WebDashboard.Api var memoryStream = new MemoryStream(); var newLineBytes = Encoding.UTF8.GetBytes(Environment.NewLine); - await AppendResource(memoryStream, "bower_components/webcomponentsjs/webcomponents-lite.min.js", newLineBytes).ConfigureAwait(false); - await AppendResource(memoryStream, "thirdparty/jquery-2.1.1.min.js", newLineBytes).ConfigureAwait(false); + + await AppendResource(memoryStream, "thirdparty/require.js", newLineBytes).ConfigureAwait(false); + await AppendResource(memoryStream, "thirdparty/jquerymobile-1.4.5/jquery.mobile.custom.min.js", newLineBytes).ConfigureAwait(false); await AppendResource(memoryStream, "thirdparty/browser.js", newLineBytes).ConfigureAwait(false); - await AppendResource(memoryStream, "thirdparty/require.js", newLineBytes).ConfigureAwait(false); - await AppendResource(memoryStream, "thirdparty/jquery.unveil-custom.js", newLineBytes).ConfigureAwait(false); var excludePhrases = new List(); diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index c8c9c4d3c0..09d4766e9c 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -116,7 +116,9 @@ PreserveNewest - + + PreserveNewest + PreserveNewest From 3bedcbb4f5a6f416008e26712c6c512893736f32 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sun, 12 Jul 2015 12:06:23 -0400 Subject: [PATCH 25/35] resolve script error --- .../Api/DashboardService.cs | 9 ++++-- .../Api/PackageCreator.cs | 32 +++++++++++++++++-- SharedVersion.cs | 2 +- 3 files changed, 37 insertions(+), 6 deletions(-) diff --git a/MediaBrowser.WebDashboard/Api/DashboardService.cs b/MediaBrowser.WebDashboard/Api/DashboardService.cs index ce8ad58dde..6eed91b6c5 100644 --- a/MediaBrowser.WebDashboard/Api/DashboardService.cs +++ b/MediaBrowser.WebDashboard/Api/DashboardService.cs @@ -200,9 +200,11 @@ namespace MediaBrowser.WebDashboard.Api var isHtml = IsHtml(path); - if (isHtml && !_serverConfigurationManager.Configuration.IsStartupWizardCompleted) + // Bounce them to the startup wizard if it hasn't been completed yet + if (isHtml && !_serverConfigurationManager.Configuration.IsStartupWizardCompleted && path.IndexOf("wizard", StringComparison.OrdinalIgnoreCase) == -1) { - if (path.IndexOf("wizard", StringComparison.OrdinalIgnoreCase) == -1) + // But don't redirect if an html import is being requested. + if (path.IndexOf("vulcanize", StringComparison.OrdinalIgnoreCase) == -1 && path.IndexOf("bower_components", StringComparison.OrdinalIgnoreCase) == -1) { Request.Response.Redirect("wizardstart.html"); return null; @@ -317,8 +319,9 @@ namespace MediaBrowser.WebDashboard.Api Directory.Delete(Path.Combine(path, "bower_components"), true); Directory.Delete(Path.Combine(path, "thirdparty", "viblast"), true); - + // But we do need this + CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "webcomponentsjs", "webcomponents-lite.js"), Path.Combine(path, "bower_components", "webcomponentsjs", "webcomponents-lite.js")); CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js"), Path.Combine(path, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js")); CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "velocity", "velocity.min.js"), Path.Combine(path, "bower_components", "velocity", "velocity.min.js")); CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "css"), Path.Combine(path, "bower_components", "swipebox", "src", "css")); diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index c7c3d9041b..6cc838ac43 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -315,7 +315,7 @@ namespace MediaBrowser.WebDashboard.Api // In chrome it is causing the body to be hidden while loading, which leads to width-check methods to return 0 for everything //imports = ""; - html = html.Replace("", "" + GetMetaTags(mode) + GetCommonCss(mode, version) + GetCommonJavascript(mode, version) + importsHtml); + html = html.Replace("", "" + GetMetaTags(mode) + GetCommonCss(mode, version) + GetInitialJavascript(mode, version) + importsHtml + GetCommonJavascript(mode, version)); var bytes = Encoding.UTF8.GetBytes(html); @@ -426,6 +426,35 @@ namespace MediaBrowser.WebDashboard.Api return string.Join(string.Empty, tags); } + /// + /// Gets the common javascript. + /// + /// The mode. + /// The version. + /// System.String. + private string GetInitialJavascript(string mode, Version version) + { + var builder = new StringBuilder(); + + var versionString = !string.Equals(mode, "cordova", StringComparison.OrdinalIgnoreCase) ? "?v=" + version : string.Empty; + + var files = new List + { + "bower_components/webcomponentsjs/webcomponents-lite.js" + versionString + }; + + if (string.Equals(mode, "cordova", StringComparison.OrdinalIgnoreCase)) + { + files.Insert(0, "cordova.js"); + } + + var tags = files.Select(s => string.Format("", s)).ToArray(); + + builder.Append(string.Join(string.Empty, tags)); + + return builder.ToString(); + } + /// /// Gets the common javascript. /// @@ -440,7 +469,6 @@ namespace MediaBrowser.WebDashboard.Api var files = new List { - "bower_components/webcomponentsjs/webcomponents-lite.js" + versionString, "scripts/all.js" + versionString }; diff --git a/SharedVersion.cs b/SharedVersion.cs index 7e3f785fe4..06da826aa4 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5666.9")] +[assembly: AssemblyVersion("3.0.5667.5")] From 8474f9c4fa82556e56982687223bd1bce13cf61d Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sun, 12 Jul 2015 13:13:35 -0400 Subject: [PATCH 26/35] update media controller --- SharedVersion.cs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index 06da826aa4..3235e07e44 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5667.5")] +[assembly: AssemblyVersion("3.0.5667.6")] From 365a992736a719a8183d7c031829770d7a62dcaa Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Sun, 12 Jul 2015 15:33:00 -0400 Subject: [PATCH 27/35] update dto dictionary building --- MediaBrowser.Controller/Entities/BaseItem.cs | 21 +++++++++++++++++-- .../Movies/MovieExternalIds.cs | 8 +++++++ .../Dto/DtoService.cs | 18 +++++++++++++--- SharedVersion.cs | 4 ++-- 4 files changed, 44 insertions(+), 7 deletions(-) diff --git a/MediaBrowser.Controller/Entities/BaseItem.cs b/MediaBrowser.Controller/Entities/BaseItem.cs index 41329608e4..abd6e42628 100644 --- a/MediaBrowser.Controller/Entities/BaseItem.cs +++ b/MediaBrowser.Controller/Entities/BaseItem.cs @@ -466,12 +466,29 @@ namespace MediaBrowser.Controller.Entities public Guid ParentId { get; set; } + private Folder _parent; /// /// Gets or sets the parent. /// /// The parent. - [IgnoreDataMember] - public Folder Parent { get; set; } + public Folder Parent + { + get + { + if (_parent != null) + { + return _parent; + } + + if (ParentId != Guid.Empty) + { + return LibraryManager.GetItemById(ParentId) as Folder; + } + + return null; + } + set { _parent = value; } + } public void SetParent(Folder parent) { diff --git a/MediaBrowser.Providers/Movies/MovieExternalIds.cs b/MediaBrowser.Providers/Movies/MovieExternalIds.cs index 9c09d9d00c..c582447a9f 100644 --- a/MediaBrowser.Providers/Movies/MovieExternalIds.cs +++ b/MediaBrowser.Providers/Movies/MovieExternalIds.cs @@ -2,6 +2,7 @@ using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Entities.Movies; using MediaBrowser.Controller.Entities.TV; +using MediaBrowser.Controller.LiveTv; using MediaBrowser.Controller.Providers; using MediaBrowser.Model.Channels; using MediaBrowser.Model.Entities; @@ -34,6 +35,13 @@ namespace MediaBrowser.Providers.Movies return true; } + // Supports images for tv movies + var tvProgram = item as LiveTvProgram; + if (tvProgram != null && tvProgram.IsMovie) + { + return true; + } + return item is Movie || item is MusicVideo; } } diff --git a/MediaBrowser.Server.Implementations/Dto/DtoService.cs b/MediaBrowser.Server.Implementations/Dto/DtoService.cs index bdc758d8e8..257e0feb1a 100644 --- a/MediaBrowser.Server.Implementations/Dto/DtoService.cs +++ b/MediaBrowser.Server.Implementations/Dto/DtoService.cs @@ -88,7 +88,7 @@ namespace MediaBrowser.Server.Implementations.Dto public IEnumerable GetBaseItemDtos(IEnumerable items, DtoOptions options, User user = null, BaseItem owner = null) { var syncJobItems = GetSyncedItemProgress(options); - var syncDictionary = syncJobItems.ToDictionary(i => i.ItemId); + var syncDictionary = GetSyncedItemProgressDictionary(syncJobItems); var list = new List(); @@ -120,11 +120,23 @@ namespace MediaBrowser.Server.Implementations.Dto return list; } + private Dictionary GetSyncedItemProgressDictionary(IEnumerable items) + { + var dict = new Dictionary(); + + foreach (var item in items) + { + dict[item.ItemId] = item; + } + + return dict; + } + public BaseItemDto GetBaseItemDto(BaseItem item, DtoOptions options, User user = null, BaseItem owner = null) { var syncProgress = GetSyncedItemProgress(options); - var dto = GetBaseItemDtoInternal(item, options, syncProgress.ToDictionary(i => i.ItemId), user, owner); + var dto = GetBaseItemDtoInternal(item, options, GetSyncedItemProgressDictionary(syncProgress), user, owner); var byName = item as IItemByName; @@ -382,7 +394,7 @@ namespace MediaBrowser.Server.Implementations.Dto { var syncProgress = GetSyncedItemProgress(options); - var dto = GetBaseItemDtoInternal(item, options, syncProgress.ToDictionary(i => i.ItemId), user); + var dto = GetBaseItemDtoInternal(item, options, GetSyncedItemProgressDictionary(syncProgress), user); if (options.Fields.Contains(ItemFields.ItemCounts)) { diff --git a/SharedVersion.cs b/SharedVersion.cs index 3235e07e44..19b1c89596 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -//[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5667.6")] +[assembly: AssemblyVersion("3.0.*")] +//[assembly: AssemblyVersion("3.0.5667.6")] From b1be4939dfd35f0bc11097e40bfee536fead8d4f Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Mon, 13 Jul 2015 17:26:11 -0400 Subject: [PATCH 28/35] update components --- .../Updates/InstallationManager.cs | 2 +- MediaBrowser.Model/Dlna/StreamBuilder.cs | 10 ++++---- .../Manager/MetadataService.cs | 3 +-- .../MediaInfo/FFProbeProvider.cs | 2 +- .../Library/LibraryManager.cs | 21 +++++++++-------- .../Localization/Server/server.json | 3 ++- .../Sync/CloudSyncProfile.cs | 14 +++++++++++ .../Api/DashboardService.cs | 8 +++++-- .../Api/PackageCreator.cs | 9 ++------ .../MediaBrowser.WebDashboard.csproj | 23 +++++++++++-------- MediaBrowser.XbmcMetadata/EntryPoint.cs | 6 ++--- 11 files changed, 60 insertions(+), 41 deletions(-) diff --git a/MediaBrowser.Common.Implementations/Updates/InstallationManager.cs b/MediaBrowser.Common.Implementations/Updates/InstallationManager.cs index 264e63b47f..23785083b6 100644 --- a/MediaBrowser.Common.Implementations/Updates/InstallationManager.cs +++ b/MediaBrowser.Common.Implementations/Updates/InstallationManager.cs @@ -195,7 +195,7 @@ namespace MediaBrowser.Common.Implementations.Updates cacheLength = TimeSpan.FromMinutes(3); break; default: - cacheLength = TimeSpan.FromHours(3); + cacheLength = TimeSpan.FromHours(24); break; } diff --git a/MediaBrowser.Model/Dlna/StreamBuilder.cs b/MediaBrowser.Model/Dlna/StreamBuilder.cs index 340af3ac1a..ab14923917 100644 --- a/MediaBrowser.Model/Dlna/StreamBuilder.cs +++ b/MediaBrowser.Model/Dlna/StreamBuilder.cs @@ -362,8 +362,8 @@ namespace MediaBrowser.Model.Dlna MediaStream videoStream = item.VideoStream; // TODO: This doesn't accout for situation of device being able to handle media bitrate, but wifi connection not fast enough - bool isEligibleForDirectPlay = IsEligibleForDirectPlay(item, GetBitrateForDirectPlayCheck(item, options), subtitleStream, options); - bool isEligibleForDirectStream = IsEligibleForDirectPlay(item, options.GetMaxBitrate(), subtitleStream, options); + bool isEligibleForDirectPlay = IsEligibleForDirectPlay(item, GetBitrateForDirectPlayCheck(item, options), subtitleStream, options, PlayMethod.DirectPlay); + bool isEligibleForDirectStream = IsEligibleForDirectPlay(item, options.GetMaxBitrate(), subtitleStream, options, PlayMethod.DirectStream); _logger.Debug("Profile: {0}, Path: {1}, isEligibleForDirectPlay: {2}, isEligibleForDirectStream: {3}", options.Profile.Name ?? "Unknown Profile", @@ -706,7 +706,8 @@ namespace MediaBrowser.Model.Dlna private bool IsEligibleForDirectPlay(MediaSourceInfo item, int? maxBitrate, MediaStream subtitleStream, - VideoOptions options) + VideoOptions options, + PlayMethod playMethod) { if (subtitleStream != null) { @@ -714,6 +715,7 @@ namespace MediaBrowser.Model.Dlna if (subtitleProfile.Method != SubtitleDeliveryMethod.External && subtitleProfile.Method != SubtitleDeliveryMethod.Embed) { + _logger.Debug("Not eligible for {0} due to unsupported subtitles", playMethod); return false; } } @@ -781,7 +783,7 @@ namespace MediaBrowser.Model.Dlna return true; } - _logger.Debug("Audio Bitrate exceeds DirectPlay limit"); + _logger.Debug("Bitrate exceeds DirectPlay limit"); return false; } diff --git a/MediaBrowser.Providers/Manager/MetadataService.cs b/MediaBrowser.Providers/Manager/MetadataService.cs index de41a0f969..c3d1ec0809 100644 --- a/MediaBrowser.Providers/Manager/MetadataService.cs +++ b/MediaBrowser.Providers/Manager/MetadataService.cs @@ -330,12 +330,11 @@ namespace MediaBrowser.Providers.Manager protected async Task SaveItem(MetadataResult result, ItemUpdateType reason, CancellationToken cancellationToken) { - await result.Item.UpdateToRepository(reason, cancellationToken).ConfigureAwait(false); - if (result.Item.SupportsPeople) { await LibraryManager.UpdatePeople(result.Item as BaseItem, result.People); } + await result.Item.UpdateToRepository(reason, cancellationToken).ConfigureAwait(false); } public bool CanRefresh(IHasMetadata item) diff --git a/MediaBrowser.Providers/MediaInfo/FFProbeProvider.cs b/MediaBrowser.Providers/MediaInfo/FFProbeProvider.cs index af7fc3df45..c05f1b64b4 100644 --- a/MediaBrowser.Providers/MediaInfo/FFProbeProvider.cs +++ b/MediaBrowser.Providers/MediaInfo/FFProbeProvider.cs @@ -138,7 +138,7 @@ namespace MediaBrowser.Providers.MediaInfo if (item.IsShortcut) { FetchShortcutInfo(item); - return Task.FromResult(ItemUpdateType.MetadataEdit); + return Task.FromResult(ItemUpdateType.MetadataImport); } var prober = new FFProbeVideoInfo(_logger, _isoManager, _mediaEncoder, _itemRepo, _blurayExaminer, _localization, _appPaths, _json, _encodingManager, _fileSystem, _config, _subtitleManager, _chapterManager, _libraryManager); diff --git a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs index c3793b3a3e..bdc94b88b9 100644 --- a/MediaBrowser.Server.Implementations/Library/LibraryManager.cs +++ b/MediaBrowser.Server.Implementations/Library/LibraryManager.cs @@ -345,7 +345,7 @@ namespace MediaBrowser.Server.Implementations.Library try { - await UpdateItem(season, ItemUpdateType.MetadataEdit, cancellationToken).ConfigureAwait(false); + await UpdateItem(season, ItemUpdateType.MetadataDownload, cancellationToken).ConfigureAwait(false); } catch (Exception ex) { @@ -2071,10 +2071,17 @@ namespace MediaBrowser.Server.Implementations.Library public List GetPeople(BaseItem item) { - return item.People ?? GetPeople(new InternalPeopleQuery + var people = GetPeople(new InternalPeopleQuery { ItemId = item.Id }); + + if (people.Count > 0) + { + return people; + } + + return item.People ?? new List(); } public List GetPeopleItems(InternalPeopleQuery query) @@ -2106,15 +2113,9 @@ namespace MediaBrowser.Server.Implementations.Library .ToList(); } - public async Task UpdatePeople(BaseItem item, List people) + public Task UpdatePeople(BaseItem item, List people) { - await ItemRepository.UpdatePeople(item.Id, people).ConfigureAwait(false); - - if (item.People != null) - { - item.People = null; - await item.UpdateToRepository(ItemUpdateType.MetadataEdit, CancellationToken.None).ConfigureAwait(false); - } + return ItemRepository.UpdatePeople(item.Id, people); } } } diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json index 55e7540851..aa9fafb1be 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/server.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json @@ -1466,5 +1466,6 @@ "TabHomeScreen": "Home Screen", "HeaderDisplay": "Display", "HeaderNavigation": "Navigation", - "LegendTheseSettingsShared": "These settings are shared on all devices" + "LegendTheseSettingsShared": "These settings are shared on all devices", + "OptionEnableAutomaticServerUpdates": "Enable automatic server updates" } diff --git a/MediaBrowser.Server.Implementations/Sync/CloudSyncProfile.cs b/MediaBrowser.Server.Implementations/Sync/CloudSyncProfile.cs index 6272fe9261..175dbbc010 100644 --- a/MediaBrowser.Server.Implementations/Sync/CloudSyncProfile.cs +++ b/MediaBrowser.Server.Implementations/Sync/CloudSyncProfile.cs @@ -209,6 +209,13 @@ namespace MediaBrowser.Server.Implementations.Sync IsRequired = false }, new ProfileCondition + { + Condition = ProfileConditionType.LessThanEqual, + Property = ProfileConditionValue.AudioBitrate, + Value = "320000", + IsRequired = true + }, + new ProfileCondition { Condition = ProfileConditionType.Equals, Property = ProfileConditionValue.IsSecondaryAudio, @@ -231,6 +238,13 @@ namespace MediaBrowser.Server.Implementations.Sync IsRequired = true }, new ProfileCondition + { + Condition = ProfileConditionType.LessThanEqual, + Property = ProfileConditionValue.AudioBitrate, + Value = "320000", + IsRequired = true + }, + new ProfileCondition { Condition = ProfileConditionType.Equals, Property = ProfileConditionValue.IsSecondaryAudio, diff --git a/MediaBrowser.WebDashboard/Api/DashboardService.cs b/MediaBrowser.WebDashboard/Api/DashboardService.cs index 6eed91b6c5..2346e15d32 100644 --- a/MediaBrowser.WebDashboard/Api/DashboardService.cs +++ b/MediaBrowser.WebDashboard/Api/DashboardService.cs @@ -1,5 +1,4 @@ -using System.Text; -using MediaBrowser.Common.Extensions; +using MediaBrowser.Common.Extensions; using MediaBrowser.Common.IO; using MediaBrowser.Controller; using MediaBrowser.Controller.Configuration; @@ -16,6 +15,7 @@ using System; using System.Collections.Generic; using System.IO; using System.Linq; +using System.Text; using System.Threading.Tasks; using WebMarkupMin.Core.Minifiers; @@ -324,6 +324,10 @@ namespace MediaBrowser.WebDashboard.Api CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "webcomponentsjs", "webcomponents-lite.js"), Path.Combine(path, "bower_components", "webcomponentsjs", "webcomponents-lite.js")); CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js"), Path.Combine(path, "bower_components", "webcomponentsjs", "webcomponents-lite.min.js")); CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "velocity", "velocity.min.js"), Path.Combine(path, "bower_components", "velocity", "velocity.min.js")); + CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "requirejs", "require.js"), Path.Combine(path, "bower_components", "requirejs", "require.js")); + CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "fastclick", "lib", "fastclick.js"), Path.Combine(path, "bower_components", "fastclick", "lib", "fastclick.js")); + CopyFile(Path.Combine(creator.DashboardUIPath, "bower_components", "jquery", "dist", "jquery.min.js"), Path.Combine(path, "bower_components", "jquery", "dist", "jquery.min.js")); + CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "css"), Path.Combine(path, "bower_components", "swipebox", "src", "css")); CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "js"), Path.Combine(path, "bower_components", "swipebox", "src", "js")); CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "img"), Path.Combine(path, "bower_components", "swipebox", "src", "img")); diff --git a/MediaBrowser.WebDashboard/Api/PackageCreator.cs b/MediaBrowser.WebDashboard/Api/PackageCreator.cs index 6cc838ac43..f501475521 100644 --- a/MediaBrowser.WebDashboard/Api/PackageCreator.cs +++ b/MediaBrowser.WebDashboard/Api/PackageCreator.cs @@ -443,11 +443,6 @@ namespace MediaBrowser.WebDashboard.Api "bower_components/webcomponentsjs/webcomponents-lite.js" + versionString }; - if (string.Equals(mode, "cordova", StringComparison.OrdinalIgnoreCase)) - { - files.Insert(0, "cordova.js"); - } - var tags = files.Select(s => string.Format("", s)).ToArray(); builder.Append(string.Join(string.Empty, tags)); @@ -493,9 +488,9 @@ namespace MediaBrowser.WebDashboard.Api var memoryStream = new MemoryStream(); var newLineBytes = Encoding.UTF8.GetBytes(Environment.NewLine); - await AppendResource(memoryStream, "thirdparty/jquery-2.1.1.min.js", newLineBytes).ConfigureAwait(false); + await AppendResource(memoryStream, "bower_components/jquery/dist/jquery.min.js", newLineBytes).ConfigureAwait(false); - await AppendResource(memoryStream, "thirdparty/require.js", newLineBytes).ConfigureAwait(false); + await AppendResource(memoryStream, "bower_components/requirejs/require.js", newLineBytes).ConfigureAwait(false); await AppendResource(memoryStream, "thirdparty/jquerymobile-1.4.5/jquery.mobile.custom.min.js", newLineBytes).ConfigureAwait(false); diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 09d4766e9c..18d379ca41 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -87,6 +87,15 @@ + + PreserveNewest + + + PreserveNewest + + + PreserveNewest + PreserveNewest @@ -258,7 +267,7 @@ PreserveNewest - + PreserveNewest @@ -297,6 +306,9 @@ PreserveNewest + + PreserveNewest + PreserveNewest @@ -1099,9 +1111,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest @@ -1117,9 +1126,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest @@ -1753,9 +1759,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest diff --git a/MediaBrowser.XbmcMetadata/EntryPoint.cs b/MediaBrowser.XbmcMetadata/EntryPoint.cs index c3bc6e30f5..1c68a50468 100644 --- a/MediaBrowser.XbmcMetadata/EntryPoint.cs +++ b/MediaBrowser.XbmcMetadata/EntryPoint.cs @@ -36,7 +36,7 @@ namespace MediaBrowser.XbmcMetadata void _libraryManager_ItemUpdated(object sender, ItemChangeEventArgs e) { - if (e.UpdateReason == ItemUpdateType.ImageUpdate) + if (e.UpdateReason >= ItemUpdateType.ImageUpdate) { var person = e.Item as Person; @@ -57,7 +57,7 @@ namespace MediaBrowser.XbmcMetadata foreach (var item in items) { - SaveMetadataForItem(item, ItemUpdateType.MetadataEdit); + SaveMetadataForItem(item, e.UpdateReason); } } } @@ -71,7 +71,7 @@ namespace MediaBrowser.XbmcMetadata if (!string.IsNullOrWhiteSpace(_config.GetNfoConfiguration().UserId)) { - SaveMetadataForItem(item, ItemUpdateType.MetadataEdit); + SaveMetadataForItem(item, ItemUpdateType.MetadataDownload); } } } From 7736bab31400073daa64df3d4b283c26fcb9ee3e Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Tue, 14 Jul 2015 12:39:34 -0400 Subject: [PATCH 29/35] update selection buttons --- MediaBrowser.Api/ApiEntryPoint.cs | 2 +- MediaBrowser.Model/Dlna/StreamBuilder.cs | 25 ++++++++++++++++--- MediaBrowser.Model/Dlna/StreamInfo.cs | 2 +- .../Notifications/Notifications.cs | 10 +++++++- .../Library/Resolvers/BaseVideoResolver.cs | 5 +--- .../Localization/Server/server.json | 3 ++- 6 files changed, 35 insertions(+), 12 deletions(-) diff --git a/MediaBrowser.Api/ApiEntryPoint.cs b/MediaBrowser.Api/ApiEntryPoint.cs index 68087309bd..54c28d390a 100644 --- a/MediaBrowser.Api/ApiEntryPoint.cs +++ b/MediaBrowser.Api/ApiEntryPoint.cs @@ -340,7 +340,7 @@ namespace MediaBrowser.Api // We can really reduce the timeout for apps that are using the newer api if (!string.IsNullOrWhiteSpace(job.PlaySessionId)) { - timerDuration = 120000; + timerDuration = 300000; } } diff --git a/MediaBrowser.Model/Dlna/StreamBuilder.cs b/MediaBrowser.Model/Dlna/StreamBuilder.cs index ab14923917..d1abda17ea 100644 --- a/MediaBrowser.Model/Dlna/StreamBuilder.cs +++ b/MediaBrowser.Model/Dlna/StreamBuilder.cs @@ -383,7 +383,7 @@ namespace MediaBrowser.Model.Dlna if (subtitleStream != null) { - SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context); + SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context, directPlay.Value); playlistItem.SubtitleDeliveryMethod = subtitleProfile.Method; playlistItem.SubtitleFormat = subtitleProfile.Format; @@ -413,7 +413,7 @@ namespace MediaBrowser.Model.Dlna if (subtitleStream != null) { - SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context); + SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context, PlayMethod.Transcode); playlistItem.SubtitleDeliveryMethod = subtitleProfile.Method; playlistItem.SubtitleFormat = subtitleProfile.Format; @@ -711,7 +711,7 @@ namespace MediaBrowser.Model.Dlna { if (subtitleStream != null) { - SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context); + SubtitleProfile subtitleProfile = GetSubtitleProfile(subtitleStream, options.Profile.SubtitleProfiles, options.Context, playMethod); if (subtitleProfile.Method != SubtitleDeliveryMethod.External && subtitleProfile.Method != SubtitleDeliveryMethod.Embed) { @@ -723,8 +723,25 @@ namespace MediaBrowser.Model.Dlna return IsAudioEligibleForDirectPlay(item, maxBitrate); } - public static SubtitleProfile GetSubtitleProfile(MediaStream subtitleStream, SubtitleProfile[] subtitleProfiles, EncodingContext context) + public static SubtitleProfile GetSubtitleProfile(MediaStream subtitleStream, SubtitleProfile[] subtitleProfiles, EncodingContext context, PlayMethod playMethod) { + if (playMethod != PlayMethod.Transcode) + { + // Look for supported embedded subs + foreach (SubtitleProfile profile in subtitleProfiles) + { + if (!profile.SupportsLanguage(subtitleStream.Language)) + { + continue; + } + + if (profile.Method == SubtitleDeliveryMethod.Embed && subtitleStream.IsTextSubtitleStream == MediaStream.IsTextFormat(profile.Format)) + { + return profile; + } + } + } + // Look for an external profile that matches the stream type (text/graphical) foreach (SubtitleProfile profile in subtitleProfiles) { diff --git a/MediaBrowser.Model/Dlna/StreamInfo.cs b/MediaBrowser.Model/Dlna/StreamInfo.cs index 92eb0372c0..8f74120972 100644 --- a/MediaBrowser.Model/Dlna/StreamInfo.cs +++ b/MediaBrowser.Model/Dlna/StreamInfo.cs @@ -329,7 +329,7 @@ namespace MediaBrowser.Model.Dlna private SubtitleStreamInfo GetSubtitleStreamInfo(MediaStream stream, string baseUrl, string accessToken, long startPositionTicks, SubtitleProfile[] subtitleProfiles) { - SubtitleProfile subtitleProfile = StreamBuilder.GetSubtitleProfile(stream, subtitleProfiles, Context); + SubtitleProfile subtitleProfile = StreamBuilder.GetSubtitleProfile(stream, subtitleProfiles, Context, PlayMethod); SubtitleStreamInfo info = new SubtitleStreamInfo { IsForced = stream.IsForced, diff --git a/MediaBrowser.Server.Implementations/EntryPoints/Notifications/Notifications.cs b/MediaBrowser.Server.Implementations/EntryPoints/Notifications/Notifications.cs index 2fc249744c..8d21d9a777 100644 --- a/MediaBrowser.Server.Implementations/EntryPoints/Notifications/Notifications.cs +++ b/MediaBrowser.Server.Implementations/EntryPoints/Notifications/Notifications.cs @@ -256,7 +256,15 @@ namespace MediaBrowser.Server.Implementations.EntryPoints.Notifications NotificationType = type }; - notification.Variables["ItemName"] = item.Name; + if (e.Item != null) + { + notification.Variables["ItemName"] = GetItemName(e.Item); + } + else + { + notification.Variables["ItemName"] = item.Name; + } + notification.Variables["UserName"] = user == null ? "Unknown user" : user.Name; notification.Variables["AppName"] = e.ClientName; notification.Variables["DeviceName"] = e.DeviceName; diff --git a/MediaBrowser.Server.Implementations/Library/Resolvers/BaseVideoResolver.cs b/MediaBrowser.Server.Implementations/Library/Resolvers/BaseVideoResolver.cs index 3333719b79..343b6d3a49 100644 --- a/MediaBrowser.Server.Implementations/Library/Resolvers/BaseVideoResolver.cs +++ b/MediaBrowser.Server.Implementations/Library/Resolvers/BaseVideoResolver.cs @@ -1,13 +1,10 @@ using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Library; -using MediaBrowser.Controller.Providers; using MediaBrowser.Model.Entities; -using MediaBrowser.Naming.Common; using MediaBrowser.Naming.Video; +using MediaBrowser.Server.Implementations.Logging; using System; using System.IO; -using System.Linq; -using MediaBrowser.Server.Implementations.Logging; namespace MediaBrowser.Server.Implementations.Library.Resolvers { diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json index aa9fafb1be..8c21f47c30 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/server.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json @@ -1467,5 +1467,6 @@ "HeaderDisplay": "Display", "HeaderNavigation": "Navigation", "LegendTheseSettingsShared": "These settings are shared on all devices", - "OptionEnableAutomaticServerUpdates": "Enable automatic server updates" + "OptionEnableAutomaticServerUpdates": "Enable automatic server updates", + "OptionOtherTrailers": "Include trailers from older movies" } From 8c52c065fbb8d59c8830e3737f177f456d646b3e Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Tue, 14 Jul 2015 15:04:16 -0400 Subject: [PATCH 30/35] update people sorting --- MediaBrowser.Api/UserLibrary/ItemsService.cs | 602 +----------------- MediaBrowser.Controller/Entities/BaseItem.cs | 14 + .../Entities/InternalItemsQuery.cs | 16 +- MediaBrowser.Controller/Entities/Person.cs | 9 + .../Entities/UserViewBuilder.cs | 153 ++++- .../Probing/ProbeResultNormalizer.cs | 21 +- .../Sorting/NameComparer.cs | 6 + .../Sorting/SortNameComparer.cs | 6 + 8 files changed, 225 insertions(+), 602 deletions(-) diff --git a/MediaBrowser.Api/UserLibrary/ItemsService.cs b/MediaBrowser.Api/UserLibrary/ItemsService.cs index 7120f3604e..fda933b593 100644 --- a/MediaBrowser.Api/UserLibrary/ItemsService.cs +++ b/MediaBrowser.Api/UserLibrary/ItemsService.cs @@ -252,6 +252,11 @@ namespace MediaBrowser.Api.UserLibrary return (PersonIds ?? string.Empty).Split(new[] { ',' }, StringSplitOptions.RemoveEmptyEntries); } + public string[] GetItemIds() + { + return (Ids ?? string.Empty).Split(new[] { ',' }, StringSplitOptions.RemoveEmptyEntries); + } + public VideoType[] GetVideoTypes() { var val = VideoTypes; @@ -329,54 +334,12 @@ namespace MediaBrowser.Api.UserLibrary var result = await GetItemsToSerialize(request, user, parentItem).ConfigureAwait(false); - var isFiltered = result.Item2; var dtoOptions = GetDtoOptions(request); - if (isFiltered) - { - return new ItemsResult - { - TotalRecordCount = result.Item1.TotalRecordCount, - Items = _dtoService.GetBaseItemDtos(result.Item1.Items, dtoOptions, user).ToArray() - }; - } - - var items = result.Item1.Items.Where(i => ApplyAdditionalFilters(request, i, user, false, _libraryManager)); - - // Apply filters - // Run them starting with the ones that are likely to reduce the list the most - foreach (var filter in request.GetFilters().OrderByDescending(f => (int)f)) - { - items = ApplyFilter(items, filter, user, _userDataRepository); - } - - items = UserViewBuilder.FilterVirtualEpisodes(items, - request.IsMissing, - request.IsVirtualUnaired, - request.IsUnaired); - - var internalQuery = GetItemsQuery(request, user); - - items = UserViewBuilder.CollapseBoxSetItemsIfNeeded(items, internalQuery, parentItem, user); - - items = _libraryManager.Sort(items, user, request.GetOrderBy(), request.SortOrder ?? SortOrder.Ascending); - - // This must be the last filter - if (!string.IsNullOrEmpty(request.AdjacentTo)) - { - items = UserViewBuilder.FilterForAdjacency(items, request.AdjacentTo); - } - - var itemsArray = items.ToList(); - - var pagedItems = ApplyPaging(request, itemsArray); - - var returnItems = _dtoService.GetBaseItemDtos(pagedItems, dtoOptions, user).ToArray(); - return new ItemsResult { - TotalRecordCount = itemsArray.Count, - Items = returnItems + TotalRecordCount = result.Item1.TotalRecordCount, + Items = _dtoService.GetBaseItemDtos(result.Item1.Items, dtoOptions, user).ToArray() }; } @@ -394,45 +357,46 @@ namespace MediaBrowser.Api.UserLibrary parentItem; // Default list type = children - IEnumerable items; if (!string.IsNullOrEmpty(request.Ids)) { - var idList = request.Ids.Split(',').ToList(); + request.Recursive = true; + var result = await ((Folder)item).GetItems(GetItemsQuery(request, user)).ConfigureAwait(false); - items = idList.Select(i => _libraryManager.GetItemById(i)); + return new Tuple, bool>(result, true); } - else if (request.Recursive) + if (request.Recursive) { var result = await ((Folder)item).GetItems(GetItemsQuery(request, user)).ConfigureAwait(false); return new Tuple, bool>(result, true); } - else + + if (user == null) { - if (user == null) - { - var result = await ((Folder)item).GetItems(GetItemsQuery(request, null)).ConfigureAwait(false); + var result = await ((Folder)item).GetItems(GetItemsQuery(request, null)).ConfigureAwait(false); - return new Tuple, bool>(result, true); - } + return new Tuple, bool>(result, true); + } - var userRoot = item as UserRootFolder; + var userRoot = item as UserRootFolder; - if (userRoot == null) - { - var result = await ((Folder)item).GetItems(GetItemsQuery(request, user)).ConfigureAwait(false); - - return new Tuple, bool>(result, true); - } + if (userRoot == null) + { + var result = await ((Folder)item).GetItems(GetItemsQuery(request, user)).ConfigureAwait(false); - items = ((Folder)item).GetChildren(user, true); + return new Tuple, bool>(result, true); } + IEnumerable items = ((Folder)item).GetChildren(user, true); + + var itemsArray = items.ToArray(); + return new Tuple, bool>(new QueryResult { - Items = items.ToArray() + Items = itemsArray, + TotalRecordCount = itemsArray.Length }, false); } @@ -450,7 +414,7 @@ namespace MediaBrowser.Api.UserLibrary SortBy = request.GetOrderBy(), SortOrder = request.SortOrder ?? SortOrder.Ascending, - Filter = i => ApplyAdditionalFilters(request, i, user, true, _libraryManager), + Filter = i => ApplyAdditionalFilters(request, i, user, _libraryManager), Limit = request.Limit, StartIndex = request.StartIndex, @@ -490,7 +454,12 @@ namespace MediaBrowser.Api.UserLibrary Years = request.GetYears(), ImageTypes = request.GetImageTypes().ToArray(), VideoTypes = request.GetVideoTypes().ToArray(), - AdjacentTo = request.AdjacentTo + AdjacentTo = request.AdjacentTo, + ItemIds = request.GetItemIds(), + MinPlayers = request.MinPlayers, + MaxPlayers = request.MaxPlayers, + MinCommunityRating = request.MinCommunityRating, + MinCriticRating = request.MinCriticRating }; if (!string.IsNullOrWhiteSpace(request.Ids)) @@ -619,440 +588,8 @@ namespace MediaBrowser.Api.UserLibrary return items; } - private bool ApplyAdditionalFilters(GetItems request, BaseItem i, User user, bool isPreFiltered, ILibraryManager libraryManager) + private bool ApplyAdditionalFilters(GetItems request, BaseItem i, User user, ILibraryManager libraryManager) { - var video = i as Video; - - if (!isPreFiltered) - { - var mediaTypes = request.GetMediaTypes(); - if (mediaTypes.Length > 0) - { - if (!(!string.IsNullOrEmpty(i.MediaType) && mediaTypes.Contains(i.MediaType, StringComparer.OrdinalIgnoreCase))) - { - return false; - } - } - - if (request.IsPlayed.HasValue) - { - var val = request.IsPlayed.Value; - if (i.IsPlayed(user) != val) - { - return false; - } - } - - // Exclude item types - var excluteItemTypes = request.GetExcludeItemTypes(); - if (excluteItemTypes.Length > 0 && excluteItemTypes.Contains(i.GetType().Name, StringComparer.OrdinalIgnoreCase)) - { - return false; - } - - // Include item types - var includeItemTypes = request.GetIncludeItemTypes(); - if (includeItemTypes.Length > 0 && !includeItemTypes.Contains(i.GetType().Name, StringComparer.OrdinalIgnoreCase)) - { - return false; - } - - if (request.IsInBoxSet.HasValue) - { - var val = request.IsInBoxSet.Value; - if (i.Parents.OfType().Any() != val) - { - return false; - } - } - - // Filter by Video3DFormat - if (request.Is3D.HasValue) - { - var val = request.Is3D.Value; - - if (video == null || val != video.Video3DFormat.HasValue) - { - return false; - } - } - - if (request.IsHD.HasValue) - { - var val = request.IsHD.Value; - - if (video == null || val != video.IsHD) - { - return false; - } - } - - if (request.IsUnidentified.HasValue) - { - var val = request.IsUnidentified.Value; - if (i.IsUnidentified != val) - { - return false; - } - } - - if (request.IsLocked.HasValue) - { - var val = request.IsLocked.Value; - if (i.IsLocked != val) - { - return false; - } - } - - if (request.HasOverview.HasValue) - { - var filterValue = request.HasOverview.Value; - - var hasValue = !string.IsNullOrEmpty(i.Overview); - - if (hasValue != filterValue) - { - return false; - } - } - - if (request.HasImdbId.HasValue) - { - var filterValue = request.HasImdbId.Value; - - var hasValue = !string.IsNullOrEmpty(i.GetProviderId(MetadataProviders.Imdb)); - - if (hasValue != filterValue) - { - return false; - } - } - - if (request.HasTmdbId.HasValue) - { - var filterValue = request.HasTmdbId.Value; - - var hasValue = !string.IsNullOrEmpty(i.GetProviderId(MetadataProviders.Tmdb)); - - if (hasValue != filterValue) - { - return false; - } - } - - if (request.HasTvdbId.HasValue) - { - var filterValue = request.HasTvdbId.Value; - - var hasValue = !string.IsNullOrEmpty(i.GetProviderId(MetadataProviders.Tvdb)); - - if (hasValue != filterValue) - { - return false; - } - } - - if (request.IsYearMismatched.HasValue) - { - var filterValue = request.IsYearMismatched.Value; - - if (UserViewBuilder.IsYearMismatched(i, libraryManager) != filterValue) - { - return false; - } - } - - if (request.HasOfficialRating.HasValue) - { - var filterValue = request.HasOfficialRating.Value; - - var hasValue = !string.IsNullOrEmpty(i.OfficialRating); - - if (hasValue != filterValue) - { - return false; - } - } - - if (request.IsPlaceHolder.HasValue) - { - var filterValue = request.IsPlaceHolder.Value; - - var isPlaceHolder = false; - - var hasPlaceHolder = i as ISupportsPlaceHolders; - - if (hasPlaceHolder != null) - { - isPlaceHolder = hasPlaceHolder.IsPlaceHolder; - } - - if (isPlaceHolder != filterValue) - { - return false; - } - } - - if (request.HasSpecialFeature.HasValue) - { - var filterValue = request.HasSpecialFeature.Value; - - var movie = i as IHasSpecialFeatures; - - if (movie != null) - { - var ok = filterValue - ? movie.SpecialFeatureIds.Count > 0 - : movie.SpecialFeatureIds.Count == 0; - - if (!ok) - { - return false; - } - } - else - { - return false; - } - } - - if (request.HasSubtitles.HasValue) - { - var val = request.HasSubtitles.Value; - - if (video == null || val != video.HasSubtitles) - { - return false; - } - } - - if (request.HasParentalRating.HasValue) - { - var val = request.HasParentalRating.Value; - - var rating = i.CustomRating; - - if (string.IsNullOrEmpty(rating)) - { - rating = i.OfficialRating; - } - - if (val) - { - if (string.IsNullOrEmpty(rating)) - { - return false; - } - } - else - { - if (!string.IsNullOrEmpty(rating)) - { - return false; - } - } - } - - if (request.HasTrailer.HasValue) - { - var val = request.HasTrailer.Value; - var trailerCount = 0; - - var hasTrailers = i as IHasTrailers; - if (hasTrailers != null) - { - trailerCount = hasTrailers.GetTrailerIds().Count; - } - - var ok = val ? trailerCount > 0 : trailerCount == 0; - - if (!ok) - { - return false; - } - } - - if (request.HasThemeSong.HasValue) - { - var filterValue = request.HasThemeSong.Value; - - var themeCount = 0; - var iHasThemeMedia = i as IHasThemeMedia; - - if (iHasThemeMedia != null) - { - themeCount = iHasThemeMedia.ThemeSongIds.Count; - } - var ok = filterValue ? themeCount > 0 : themeCount == 0; - - if (!ok) - { - return false; - } - } - - if (request.HasThemeVideo.HasValue) - { - var filterValue = request.HasThemeVideo.Value; - - var themeCount = 0; - var iHasThemeMedia = i as IHasThemeMedia; - - if (iHasThemeMedia != null) - { - themeCount = iHasThemeMedia.ThemeVideoIds.Count; - } - var ok = filterValue ? themeCount > 0 : themeCount == 0; - - if (!ok) - { - return false; - } - } - - // Apply tag filter - var tags = request.GetTags(); - if (tags.Length > 0) - { - var hasTags = i as IHasTags; - if (hasTags == null) - { - return false; - } - if (!(tags.Any(v => hasTags.Tags.Contains(v, StringComparer.OrdinalIgnoreCase)))) - { - return false; - } - } - - // Apply official rating filter - var officialRatings = request.GetOfficialRatings(); - if (officialRatings.Length > 0 && !officialRatings.Contains(i.OfficialRating ?? string.Empty)) - { - return false; - } - - // Apply genre filter - var genres = request.GetGenres(); - if (genres.Length > 0 && !(genres.Any(v => i.Genres.Contains(v, StringComparer.OrdinalIgnoreCase)))) - { - return false; - } - - // Filter by VideoType - var videoTypes = request.GetVideoTypes(); - if (videoTypes.Length > 0 && (video == null || !videoTypes.Contains(video.VideoType))) - { - return false; - } - - var imageTypes = request.GetImageTypes().ToList(); - if (imageTypes.Count > 0) - { - if (!(imageTypes.Any(i.HasImage))) - { - return false; - } - } - - // Apply studio filter - var studios = request.GetStudios(); - if (studios.Length > 0 && !studios.Any(v => i.Studios.Contains(v, StringComparer.OrdinalIgnoreCase))) - { - return false; - } - - // Apply studio filter - var studioIds = request.GetStudioIds(); - if (studioIds.Length > 0 && !studioIds.Any(id => - { - var studioItem = libraryManager.GetItemById(id); - return studioItem != null && i.Studios.Contains(studioItem.Name, StringComparer.OrdinalIgnoreCase); - })) - { - return false; - } - - // Apply year filter - var years = request.GetYears(); - if (years.Length > 0 && !(i.ProductionYear.HasValue && years.Contains(i.ProductionYear.Value))) - { - return false; - } - - // Apply person filter - var personIds = request.GetPersonIds(); - if (personIds.Length > 0) - { - var names = personIds - .Select(libraryManager.GetItemById) - .Select(p => p == null ? "-1" : p.Name) - .ToList(); - - if (!(names.Any(v => libraryManager.GetPeople(i).Select(p => p.Name).Contains(v, StringComparer.OrdinalIgnoreCase)))) - { - return false; - } - } - - // Apply person filter - if (!string.IsNullOrEmpty(request.Person)) - { - var personTypes = request.GetPersonTypes(); - - if (personTypes.Length == 0) - { - if (!(libraryManager.GetPeople(i).Any(p => string.Equals(p.Name, request.Person, StringComparison.OrdinalIgnoreCase)))) - { - return false; - } - } - else - { - var types = personTypes; - - var ok = new[] { i }.Any(item => - libraryManager.GetPeople(item).Any(p => - p.Name.Equals(request.Person, StringComparison.OrdinalIgnoreCase) && (types.Contains(p.Type, StringComparer.OrdinalIgnoreCase) || types.Contains(p.Role, StringComparer.OrdinalIgnoreCase)))); - - if (!ok) - { - return false; - } - } - } - } - - if (request.MinCommunityRating.HasValue) - { - var val = request.MinCommunityRating.Value; - - if (!(i.CommunityRating.HasValue && i.CommunityRating >= val)) - { - return false; - } - } - - if (request.MinCriticRating.HasValue) - { - var val = request.MinCriticRating.Value; - - var hasCriticRating = i as IHasCriticRating; - - if (hasCriticRating != null) - { - if (!(hasCriticRating.CriticRating.HasValue && hasCriticRating.CriticRating >= val)) - { - return false; - } - } - else - { - return false; - } - } - // Artists if (!string.IsNullOrEmpty(request.ArtistIds)) { @@ -1239,52 +776,6 @@ namespace MediaBrowser.Api.UserLibrary } } - if (request.MinPlayers.HasValue) - { - var filterValue = request.MinPlayers.Value; - - var game = i as Game; - - if (game != null) - { - var players = game.PlayersSupported ?? 1; - - var ok = players >= filterValue; - - if (!ok) - { - return false; - } - } - else - { - return false; - } - } - - if (request.MaxPlayers.HasValue) - { - var filterValue = request.MaxPlayers.Value; - - var game = i as Game; - - if (game != null) - { - var players = game.PlayersSupported ?? 1; - - var ok = players <= filterValue; - - if (!ok) - { - return false; - } - } - else - { - return false; - } - } - if (request.ParentIndexNumber.HasValue) { var filterValue = request.ParentIndexNumber.Value; @@ -1347,29 +838,6 @@ namespace MediaBrowser.Api.UserLibrary return true; } - - /// - /// Applies the paging. - /// - /// The request. - /// The items. - /// IEnumerable{BaseItem}. - private IEnumerable ApplyPaging(GetItems request, IEnumerable items) - { - // Start at - if (request.StartIndex.HasValue) - { - items = items.Skip(request.StartIndex.Value); - } - - // Return limit - if (request.Limit.HasValue) - { - items = items.Take(request.Limit.Value); - } - - return items; - } } /// diff --git a/MediaBrowser.Controller/Entities/BaseItem.cs b/MediaBrowser.Controller/Entities/BaseItem.cs index abd6e42628..d9dbf265fc 100644 --- a/MediaBrowser.Controller/Entities/BaseItem.cs +++ b/MediaBrowser.Controller/Entities/BaseItem.cs @@ -235,6 +235,15 @@ namespace MediaBrowser.Controller.Entities } } + [IgnoreDataMember] + public virtual bool EnableAlphaNumericSorting + { + get + { + return true; + } + } + /// /// This is just a helper for convenience /// @@ -439,6 +448,11 @@ namespace MediaBrowser.Controller.Entities { if (Name == null) return null; //some items may not have name filled in properly + if (!EnableAlphaNumericSorting) + { + return Name.TrimStart(); + } + var sortable = Name.Trim().ToLower(); sortable = ConfigurationManager.Configuration.SortRemoveCharacters.Aggregate(sortable, (current, search) => current.Replace(search.ToLower(), string.Empty)); diff --git a/MediaBrowser.Controller/Entities/InternalItemsQuery.cs b/MediaBrowser.Controller/Entities/InternalItemsQuery.cs index faa9bc8756..c5e60a73d9 100644 --- a/MediaBrowser.Controller/Entities/InternalItemsQuery.cs +++ b/MediaBrowser.Controller/Entities/InternalItemsQuery.cs @@ -1,4 +1,5 @@ -using MediaBrowser.Model.Entities; +using System.Collections.Generic; +using MediaBrowser.Model.Entities; using System; namespace MediaBrowser.Controller.Entities @@ -42,6 +43,7 @@ namespace MediaBrowser.Controller.Entities public string Person { get; set; } public string[] PersonIds { get; set; } + public string[] ItemIds { get; set; } public string AdjacentTo { get; set; } public string[] PersonTypes { get; set; } @@ -82,9 +84,16 @@ namespace MediaBrowser.Controller.Entities public bool? IsMovie { get; set; } public bool? IsSports { get; set; } public bool? IsKids { get; set; } - + + public int? MinPlayers { get; set; } + public int? MaxPlayers { get; set; } + public double? MinCriticRating { get; set; } + public double? MinCommunityRating { get; set; } + public string[] ChannelIds { get; set; } - + + internal List ItemIdsFromPersonFilters { get; set; } + public InternalItemsQuery() { Tags = new string[] { }; @@ -102,6 +111,7 @@ namespace MediaBrowser.Controller.Entities PersonTypes = new string[] { }; PersonIds = new string[] { }; ChannelIds = new string[] { }; + ItemIds = new string[] { }; } } } diff --git a/MediaBrowser.Controller/Entities/Person.cs b/MediaBrowser.Controller/Entities/Person.cs index 0a62655eef..6c277da565 100644 --- a/MediaBrowser.Controller/Entities/Person.cs +++ b/MediaBrowser.Controller/Entities/Person.cs @@ -55,6 +55,15 @@ namespace MediaBrowser.Controller.Entities return true; } + [IgnoreDataMember] + public override bool EnableAlphaNumericSorting + { + get + { + return false; + } + } + /// /// Gets a value indicating whether this instance is owned item. /// diff --git a/MediaBrowser.Controller/Entities/UserViewBuilder.cs b/MediaBrowser.Controller/Entities/UserViewBuilder.cs index 62c71d1690..b2d3592776 100644 --- a/MediaBrowser.Controller/Entities/UserViewBuilder.cs +++ b/MediaBrowser.Controller/Entities/UserViewBuilder.cs @@ -1116,6 +1116,11 @@ namespace MediaBrowser.Controller.Entities return false; } + if (request.ItemIds.Length > 0) + { + return false; + } + if (request.Studios.Length > 0) { return false; @@ -1146,6 +1151,26 @@ namespace MediaBrowser.Controller.Entities return false; } + if (request.MinPlayers.HasValue) + { + return false; + } + + if (request.MaxPlayers.HasValue) + { + return false; + } + + if (request.MinCommunityRating.HasValue) + { + return false; + } + + if (request.MinCriticRating.HasValue) + { + return false; + } + return true; } @@ -1304,6 +1329,41 @@ namespace MediaBrowser.Controller.Entities public static bool Filter(BaseItem item, User user, InternalItemsQuery query, IUserDataManager userDataManager, ILibraryManager libraryManager) { + if (query.ItemIdsFromPersonFilters == null) + { + if (query.PersonIds.Length > 0) + { + var names = query.PersonIds + .Select(libraryManager.GetItemById) + .Select(i => i == null ? null : i.Name) + .Where(i => !string.IsNullOrWhiteSpace(i)) + .ToList(); + + var itemIdList = new List(); + foreach (var name in names) + { + itemIdList.AddRange(libraryManager.GetItemIds(new InternalItemsQuery + { + Person = name + })); + } + query.ItemIdsFromPersonFilters = itemIdList; + } + + // Apply person filter + else if (!string.IsNullOrWhiteSpace(query.Person)) + { + var itemIdList = new List(); + + itemIdList.AddRange(libraryManager.GetItemIds(new InternalItemsQuery + { + Person = query.Person, + PersonTypes = query.PersonTypes + })); + query.ItemIdsFromPersonFilters = itemIdList; + } + } + if (query.MediaTypes.Length > 0 && !query.MediaTypes.Contains(item.MediaType ?? string.Empty, StringComparer.OrdinalIgnoreCase)) { return false; @@ -1691,57 +1751,108 @@ namespace MediaBrowser.Controller.Entities return false; } + if (query.ItemIds.Length > 0) + { + if (!query.ItemIds.Contains(item.Id.ToString("N"), StringComparer.OrdinalIgnoreCase)) + { + return false; + } + } + // Apply person filter - if (query.PersonIds.Length > 0) + if (query.ItemIdsFromPersonFilters != null) { - var names = query.PersonIds - .Select(libraryManager.GetItemById) - .Select(i => i == null ? "-1" : i.Name) - .ToList(); + if (!query.ItemIdsFromPersonFilters.Contains(item.Id)) + { + return false; + } + } - if (!(names.Any(v => libraryManager.GetPeople(item).Select(i => i.Name).Contains(v, StringComparer.OrdinalIgnoreCase)))) + // Apply tag filter + var tags = query.Tags; + if (tags.Length > 0) + { + var hasTags = item as IHasTags; + if (hasTags == null) + { + return false; + } + if (!(tags.Any(v => hasTags.Tags.Contains(v, StringComparer.OrdinalIgnoreCase)))) { return false; } } - // Apply person filter - if (!string.IsNullOrWhiteSpace(query.Person)) + if (query.MinPlayers.HasValue) { - var personTypes = query.PersonTypes; + var filterValue = query.MinPlayers.Value; + + var game = item as Game; - if (personTypes.Length == 0) + if (game != null) { - if (!(libraryManager.GetPeople(item).Any(p => string.Equals(p.Name, query.Person, StringComparison.OrdinalIgnoreCase)))) + var players = game.PlayersSupported ?? 1; + + var ok = players >= filterValue; + + if (!ok) { return false; } } else { - var types = personTypes; + return false; + } + } + + if (query.MaxPlayers.HasValue) + { + var filterValue = query.MaxPlayers.Value; + + var game = item as Game; + + if (game != null) + { + var players = game.PlayersSupported ?? 1; - var ok = new[] { item }.Any(i => - libraryManager.GetPeople(i).Any(p => - string.Equals(p.Name, query.Person, StringComparison.OrdinalIgnoreCase) && (types.Contains(p.Type ?? string.Empty, StringComparer.OrdinalIgnoreCase) || types.Contains(p.Role ?? string.Empty, StringComparer.OrdinalIgnoreCase)))); + var ok = players <= filterValue; if (!ok) { return false; } } + else + { + return false; + } } - // Apply tag filter - var tags = query.Tags; - if (tags.Length > 0) + if (query.MinCommunityRating.HasValue) { - var hasTags = item as IHasTags; - if (hasTags == null) + var val = query.MinCommunityRating.Value; + + if (!(item.CommunityRating.HasValue && item.CommunityRating >= val)) { return false; } - if (!(tags.Any(v => hasTags.Tags.Contains(v, StringComparer.OrdinalIgnoreCase)))) + } + + if (query.MinCriticRating.HasValue) + { + var val = query.MinCriticRating.Value; + + var hasCriticRating = item as IHasCriticRating; + + if (hasCriticRating != null) + { + if (!(hasCriticRating.CriticRating.HasValue && hasCriticRating.CriticRating >= val)) + { + return false; + } + } + else { return false; } diff --git a/MediaBrowser.MediaEncoding/Probing/ProbeResultNormalizer.cs b/MediaBrowser.MediaEncoding/Probing/ProbeResultNormalizer.cs index 33b7036114..481ba0ddac 100644 --- a/MediaBrowser.MediaEncoding/Probing/ProbeResultNormalizer.cs +++ b/MediaBrowser.MediaEncoding/Probing/ProbeResultNormalizer.cs @@ -439,7 +439,7 @@ namespace MediaBrowser.MediaEncoding.Probing if (!string.IsNullOrWhiteSpace(artists)) { - audio.Artists = artists.Split(new[] { '/' }, StringSplitOptions.RemoveEmptyEntries) + audio.Artists = SplitArtists(artists, new[] { '/' }, false) .Distinct(StringComparer.OrdinalIgnoreCase) .ToList(); } @@ -452,7 +452,7 @@ namespace MediaBrowser.MediaEncoding.Probing } else { - audio.Artists = SplitArtists(artist) + audio.Artists = SplitArtists(artist, _nameDelimiters, true) .Distinct(StringComparer.OrdinalIgnoreCase) .ToList(); } @@ -474,7 +474,7 @@ namespace MediaBrowser.MediaEncoding.Probing } else { - audio.AlbumArtists = SplitArtists(albumArtist) + audio.AlbumArtists = SplitArtists(albumArtist, _nameDelimiters, true) .Distinct(StringComparer.OrdinalIgnoreCase) .ToList(); @@ -552,10 +552,13 @@ namespace MediaBrowser.MediaEncoding.Probing private const string ArtistReplaceValue = " | "; - private IEnumerable SplitArtists(string val) + private IEnumerable SplitArtists(string val, char[] delimiters, bool splitFeaturing) { - val = val.Replace(" featuring ", ArtistReplaceValue, StringComparison.OrdinalIgnoreCase) - .Replace(" feat. ", ArtistReplaceValue, StringComparison.OrdinalIgnoreCase); + if (splitFeaturing) + { + val = val.Replace(" featuring ", ArtistReplaceValue, StringComparison.OrdinalIgnoreCase) + .Replace(" feat. ", ArtistReplaceValue, StringComparison.OrdinalIgnoreCase); + } var artistsFound = new List(); @@ -570,11 +573,7 @@ namespace MediaBrowser.MediaEncoding.Probing } } - // Only use the comma as a delimeter if there are no slashes or pipes. - // We want to be careful not to split names that have commas in them - var delimeter = _nameDelimiters; - - var artists = val.Split(delimeter, StringSplitOptions.RemoveEmptyEntries) + var artists = val.Split(delimiters, StringSplitOptions.RemoveEmptyEntries) .Where(i => !string.IsNullOrWhiteSpace(i)) .Select(i => i.Trim()); diff --git a/MediaBrowser.Server.Implementations/Sorting/NameComparer.cs b/MediaBrowser.Server.Implementations/Sorting/NameComparer.cs index 83b1b2d16f..18fddb903f 100644 --- a/MediaBrowser.Server.Implementations/Sorting/NameComparer.cs +++ b/MediaBrowser.Server.Implementations/Sorting/NameComparer.cs @@ -1,6 +1,7 @@ using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Sorting; using MediaBrowser.Model.Querying; +using System; namespace MediaBrowser.Server.Implementations.Sorting { @@ -17,6 +18,11 @@ namespace MediaBrowser.Server.Implementations.Sorting /// System.Int32. public int Compare(BaseItem x, BaseItem y) { + if (!x.EnableAlphaNumericSorting || !y.EnableAlphaNumericSorting) + { + return string.Compare(x.SortName, y.SortName, StringComparison.CurrentCultureIgnoreCase); + } + return AlphanumComparator.CompareValues(x.Name, y.Name); } diff --git a/MediaBrowser.Server.Implementations/Sorting/SortNameComparer.cs b/MediaBrowser.Server.Implementations/Sorting/SortNameComparer.cs index e635cfbe52..389b21ba78 100644 --- a/MediaBrowser.Server.Implementations/Sorting/SortNameComparer.cs +++ b/MediaBrowser.Server.Implementations/Sorting/SortNameComparer.cs @@ -1,6 +1,7 @@ using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Sorting; using MediaBrowser.Model.Querying; +using System; namespace MediaBrowser.Server.Implementations.Sorting { @@ -17,6 +18,11 @@ namespace MediaBrowser.Server.Implementations.Sorting /// System.Int32. public int Compare(BaseItem x, BaseItem y) { + if (!x.EnableAlphaNumericSorting || !y.EnableAlphaNumericSorting) + { + return string.Compare(x.SortName, y.SortName, StringComparison.CurrentCultureIgnoreCase); + } + return AlphanumComparator.CompareValues(x.SortName, y.SortName); } From c7cf53890478c7f68612ffffa2cf2bf46783a5a0 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Tue, 14 Jul 2015 16:29:51 -0400 Subject: [PATCH 31/35] rework metadata manager tabs --- .../MediaBrowser.WebDashboard.csproj | 9 --------- 1 file changed, 9 deletions(-) diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj index 18d379ca41..04ba6d7007 100644 --- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj +++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj @@ -673,12 +673,6 @@ PreserveNewest - - PreserveNewest - - - PreserveNewest - PreserveNewest @@ -844,9 +838,6 @@ PreserveNewest - - PreserveNewest - PreserveNewest From 6b8bcf4c1198569d037c2cef4457c271d5fd5213 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Wed, 15 Jul 2015 07:26:47 -0400 Subject: [PATCH 32/35] update metadata manager --- .../Localization/JavaScript/javascript.json | 3 ++- MediaBrowser.WebDashboard/Api/DashboardService.cs | 3 +-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json index b82bd29a7a..2d56e96567 100644 --- a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json +++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json @@ -815,5 +815,6 @@ "HeaderShare": "Share", "ButtonShareHelp": "Share a web page containing media information with social media. Media files are never shared publicly.", "ButtonShare": "Share", - "HeaderConfirm": "Confirm" + "HeaderConfirm": "Confirm", + "ButtonAdvancedRefresh": "Advanced Refresh" } diff --git a/MediaBrowser.WebDashboard/Api/DashboardService.cs b/MediaBrowser.WebDashboard/Api/DashboardService.cs index 2346e15d32..7747a1569c 100644 --- a/MediaBrowser.WebDashboard/Api/DashboardService.cs +++ b/MediaBrowser.WebDashboard/Api/DashboardService.cs @@ -317,7 +317,6 @@ namespace MediaBrowser.WebDashboard.Api File.Delete(Path.Combine(path, "thirdparty", "jquerymobile-1.4.5", "jquery.mobile-1.4.5.min.map")); - Directory.Delete(Path.Combine(path, "bower_components"), true); Directory.Delete(Path.Combine(path, "thirdparty", "viblast"), true); // But we do need this @@ -332,7 +331,7 @@ namespace MediaBrowser.WebDashboard.Api CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "js"), Path.Combine(path, "bower_components", "swipebox", "src", "js")); CopyDirectory(Path.Combine(creator.DashboardUIPath, "bower_components", "swipebox", "src", "img"), Path.Combine(path, "bower_components", "swipebox", "src", "img")); } - + MinifyCssDirectory(Path.Combine(path, "css")); MinifyJsDirectory(Path.Combine(path, "scripts")); MinifyJsDirectory(Path.Combine(path, "apiclient")); From b88ac24e6c598fb5edd3ce1eb2a5665a4b310627 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Wed, 15 Jul 2015 13:20:08 -0400 Subject: [PATCH 33/35] 3.0.5675.0 --- SharedVersion.cs | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/SharedVersion.cs b/SharedVersion.cs index 19b1c89596..f77f32df32 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; -[assembly: AssemblyVersion("3.0.*")] -//[assembly: AssemblyVersion("3.0.5667.6")] +//[assembly: AssemblyVersion("3.0.*")] +[assembly: AssemblyVersion("3.0.5675.0")] From c6a64efab781269f9dc512282f27f2a2d3fdb1f2 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 16 Jul 2015 08:56:38 -0400 Subject: [PATCH 34/35] 3.0.5675.1 --- .../Movies/MovieDbImageProvider.cs | 18 ++++++++++++++++-- .../Localization/Server/server.json | 2 +- .../Api/DashboardService.cs | 1 + SharedVersion.cs | 2 +- 4 files changed, 19 insertions(+), 4 deletions(-) diff --git a/MediaBrowser.Providers/Movies/MovieDbImageProvider.cs b/MediaBrowser.Providers/Movies/MovieDbImageProvider.cs index 192addfb8f..9bf0b37228 100644 --- a/MediaBrowser.Providers/Movies/MovieDbImageProvider.cs +++ b/MediaBrowser.Providers/Movies/MovieDbImageProvider.cs @@ -1,4 +1,5 @@ -using MediaBrowser.Common.Net; +using System.Globalization; +using MediaBrowser.Common.Net; using MediaBrowser.Controller.Channels; using MediaBrowser.Controller.Entities; using MediaBrowser.Controller.Entities.Movies; @@ -191,7 +192,20 @@ namespace MediaBrowser.Providers.Movies var tmdbId = item.GetProviderId(MetadataProviders.Tmdb); var language = item.GetPreferredMetadataLanguage(); - if (string.IsNullOrEmpty(tmdbId)) + if (string.IsNullOrWhiteSpace(tmdbId)) + { + var imdbId = item.GetProviderId(MetadataProviders.Imdb); + if (!string.IsNullOrWhiteSpace(imdbId)) + { + var movieInfo = await MovieDbProvider.Current.FetchMainResult(imdbId, false, language, cancellationToken).ConfigureAwait(false); + if (movieInfo != null) + { + tmdbId = movieInfo.id.ToString(CultureInfo.InvariantCulture); + } + } + } + + if (string.IsNullOrWhiteSpace(tmdbId)) { return null; } diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json index 8c21f47c30..138c877124 100644 --- a/MediaBrowser.Server.Implementations/Localization/Server/server.json +++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json @@ -86,7 +86,7 @@ "OptionDetectArchiveFilesAsMedia": "Detect archive files as media", "OptionDetectArchiveFilesAsMediaHelp": "If enabled, files with .rar and .zip extensions will be detected as media files.", "LabelEnterConnectUserName": "Username or email:", - "LabelEnterConnectUserNameHelp": "This is your Emby online account username or password.", + "LabelEnterConnectUserNameHelp": "This is your Emby online account username or email.", "LabelEnableEnhancedMovies": "Enable enhanced movie displays", "LabelEnableEnhancedMoviesHelp": "When enabled, movies will be displayed as folders to include trailers, extras, cast & crew, and other related content.", "HeaderSyncJobInfo": "Sync Job", diff --git a/MediaBrowser.WebDashboard/Api/DashboardService.cs b/MediaBrowser.WebDashboard/Api/DashboardService.cs index 7747a1569c..d6adfc68e7 100644 --- a/MediaBrowser.WebDashboard/Api/DashboardService.cs +++ b/MediaBrowser.WebDashboard/Api/DashboardService.cs @@ -317,6 +317,7 @@ namespace MediaBrowser.WebDashboard.Api File.Delete(Path.Combine(path, "thirdparty", "jquerymobile-1.4.5", "jquery.mobile-1.4.5.min.map")); + Directory.Delete(Path.Combine(path, "bower_components"), true); Directory.Delete(Path.Combine(path, "thirdparty", "viblast"), true); // But we do need this diff --git a/SharedVersion.cs b/SharedVersion.cs index f77f32df32..bcd792885a 100644 --- a/SharedVersion.cs +++ b/SharedVersion.cs @@ -1,4 +1,4 @@ using System.Reflection; //[assembly: AssemblyVersion("3.0.*")] -[assembly: AssemblyVersion("3.0.5675.0")] +[assembly: AssemblyVersion("3.0.5675.1")] From f1ad56a7deaef79f6dcb2b871de727b8e4af3371 Mon Sep 17 00:00:00 2001 From: Luke Pulverenti Date: Thu, 16 Jul 2015 09:06:02 -0400 Subject: [PATCH 35/35] add missing files --- .gitignore | 1 - 1 file changed, 1 deletion(-) diff --git a/.gitignore b/.gitignore index 673f15dfe3..1598a7ac36 100644 --- a/.gitignore +++ b/.gitignore @@ -210,7 +210,6 @@ $RECYCLE.BIN/ # Packages *.egg *.egg-info -dist/ build/ eggs/ parts/